]> git.mxchange.org Git - friendica.git/blob - src/Database/DBStructure.php
Add support for FULLTEXT indices in Database\DBStructure
[friendica.git] / src / Database / DBStructure.php
1 <?php
2 /**
3  * @file src/Database/DBStructure.php
4  */
5
6 namespace Friendica\Database;
7
8 use Exception;
9 use Friendica\Core\Config;
10 use Friendica\Core\Hook;
11 use Friendica\Core\L10n;
12 use Friendica\Core\Logger;
13 use Friendica\Util\DateTimeFormat;
14
15 require_once 'boot.php';
16 require_once 'include/dba.php';
17 require_once 'include/enotify.php';
18 require_once 'include/text.php';
19
20 /**
21  * @brief This class contain functions for the database management
22  *
23  * This class contains functions that doesn't need to know if pdo, mysqli or whatever is used.
24  */
25 class DBStructure
26 {
27         const UPDATE_NOT_CHECKED = 0; // Database check wasn't executed before
28         const UPDATE_SUCCESSFUL  = 1; // Database check was successful
29         const UPDATE_FAILED      = 2; // Database check failed
30
31         const RENAME_COLUMN      = 0;
32         const RENAME_PRIMARY_KEY = 1;
33
34         /**
35          * Database structure definition loaded from config/dbstructure.config.php
36          *
37          * @var array
38          */
39         private static $definition = [];
40
41         /*
42          * Converts all tables from MyISAM to InnoDB
43          */
44         public static function convertToInnoDB()
45         {
46                 $r = q("SELECT `TABLE_NAME` FROM `information_schema`.`tables` WHERE `engine` = 'MyISAM' AND `table_schema` = '%s'",
47                         DBA::escape(DBA::databaseName()));
48
49                 if (!DBA::isResult($r)) {
50                         echo L10n::t('There are no tables on MyISAM.') . "\n";
51                         return;
52                 }
53
54                 foreach ($r AS $table) {
55                         $sql = sprintf("ALTER TABLE `%s` engine=InnoDB;", DBA::escape($table['TABLE_NAME']));
56                         echo $sql . "\n";
57
58                         $result = DBA::e($sql);
59                         if (!DBA::isResult($result)) {
60                                 self::printUpdateError($sql);
61                         }
62                 }
63         }
64
65         /**
66          * @brief Print out database error messages
67          *
68          * @param string $message Message to be added to the error message
69          *
70          * @return string Error message
71          */
72         private static function printUpdateError($message)
73         {
74                 echo L10n::t("\nError %d occurred during database update:\n%s\n",
75                         DBA::errorNo(), DBA::errorMessage());
76
77                 return L10n::t('Errors encountered performing database changes: ') . $message . EOL;
78         }
79
80         public static function printStructure()
81         {
82                 $database = self::definition(false);
83
84                 echo "-- ------------------------------------------\n";
85                 echo "-- " . FRIENDICA_PLATFORM . " " . FRIENDICA_VERSION . " (" . FRIENDICA_CODENAME, ")\n";
86                 echo "-- DB_UPDATE_VERSION " . DB_UPDATE_VERSION . "\n";
87                 echo "-- ------------------------------------------\n\n\n";
88                 foreach ($database AS $name => $structure) {
89                         echo "--\n";
90                         echo "-- TABLE $name\n";
91                         echo "--\n";
92                         self::createTable($name, $structure, true, false);
93
94                         echo "\n";
95                 }
96         }
97
98         /**
99          * Loads the database structure definition from the config/dbstructure.config.php file.
100          * On first pass, defines DB_UPDATE_VERSION constant.
101          *
102          * @see config/dbstructure.config.php
103          * @param boolean $with_addons_structure Whether to tack on addons additional tables
104          * @return array
105          * @throws Exception
106          */
107         public static function definition($with_addons_structure = true)
108         {
109                 if (!self::$definition) {
110                         $a = \Friendica\BaseObject::getApp();
111
112                         $filename = $a->getBasePath() . '/config/dbstructure.config.php';
113
114                         if (!is_readable($filename)) {
115                                 throw new Exception('Missing database structure config file config/dbstructure.config.php');
116                         }
117
118                         $definition = require $filename;
119
120                         if (!$definition) {
121                                 throw new Exception('Corrupted database structure config file config/dbstructure.config.php');
122                         }
123
124                         self::$definition = $definition;
125                 } else {
126                         $definition = self::$definition;
127                 }
128
129                 if ($with_addons_structure) {
130                         Hook::callAll('dbstructure_definition', $definition);
131                 }
132
133                 return $definition;
134         }
135
136         private static function createTable($name, $structure, $verbose, $action)
137         {
138                 $r = true;
139
140                 $engine = "";
141                 $comment = "";
142                 $sql_rows = [];
143                 $primary_keys = [];
144                 foreach ($structure["fields"] AS $fieldname => $field) {
145                         $sql_rows[] = "`" . DBA::escape($fieldname) . "` " . self::FieldCommand($field);
146                         if (!empty($field['primary'])) {
147                                 $primary_keys[] = $fieldname;
148                         }
149                 }
150
151                 if (!empty($structure["indexes"])) {
152                         foreach ($structure["indexes"] AS $indexname => $fieldnames) {
153                                 $sql_index = self::createIndex($indexname, $fieldnames, "");
154                                 if (!is_null($sql_index)) {
155                                         $sql_rows[] = $sql_index;
156                                 }
157                         }
158                 }
159
160                 if (isset($structure["engine"])) {
161                         $engine = " ENGINE=" . $structure["engine"];
162                 }
163
164                 if (isset($structure["comment"])) {
165                         $comment = " COMMENT='" . DBA::escape($structure["comment"]) . "'";
166                 }
167
168                 $sql = implode(",\n\t", $sql_rows);
169
170                 $sql = sprintf("CREATE TABLE IF NOT EXISTS `%s` (\n\t", DBA::escape($name)) . $sql .
171                         "\n)" . $engine . " DEFAULT COLLATE utf8mb4_general_ci" . $comment;
172                 if ($verbose) {
173                         echo $sql . ";\n";
174                 }
175
176                 if ($action) {
177                         $r = DBA::e($sql);
178                 }
179
180                 return $r;
181         }
182
183         private static function FieldCommand($parameters, $create = true)
184         {
185                 $fieldstruct = $parameters["type"];
186
187                 if (isset($parameters["Collation"])) {
188                         $fieldstruct .= " COLLATE " . $parameters["Collation"];
189                 }
190
191                 if (isset($parameters["not null"])) {
192                         $fieldstruct .= " NOT NULL";
193                 }
194
195                 if (isset($parameters["default"])) {
196                         if (strpos(strtolower($parameters["type"]), "int") !== false) {
197                                 $fieldstruct .= " DEFAULT " . $parameters["default"];
198                         } else {
199                                 $fieldstruct .= " DEFAULT '" . $parameters["default"] . "'";
200                         }
201                 }
202                 if (isset($parameters["extra"])) {
203                         $fieldstruct .= " " . $parameters["extra"];
204                 }
205
206                 if (isset($parameters["comment"])) {
207                         $fieldstruct .= " COMMENT '" . DBA::escape($parameters["comment"]) . "'";
208                 }
209
210                 /*if (($parameters["primary"] != "") && $create)
211                         $fieldstruct .= " PRIMARY KEY";*/
212
213                 return ($fieldstruct);
214         }
215
216         private static function createIndex($indexname, $fieldnames, $method = "ADD")
217         {
218                 $method = strtoupper(trim($method));
219                 if ($method != "" && $method != "ADD") {
220                         throw new Exception("Invalid parameter 'method' in self::createIndex(): '$method'");
221                 }
222
223                 if (in_array($fieldnames[0], ["UNIQUE", "FULLTEXT"])) {
224                         $index_type = array_shift($fieldnames);
225                         $method .= " " . $index_type;
226                 }
227
228                 $names = "";
229                 foreach ($fieldnames AS $fieldname) {
230                         if ($names != "") {
231                                 $names .= ",";
232                         }
233
234                         if (preg_match('|(.+)\((\d+)\)|', $fieldname, $matches)) {
235                                 $names .= "`" . DBA::escape($matches[1]) . "`(" . intval($matches[2]) . ")";
236                         } else {
237                                 $names .= "`" . DBA::escape($fieldname) . "`";
238                         }
239                 }
240
241                 if ($indexname == "PRIMARY") {
242                         return sprintf("%s PRIMARY KEY(%s)", $method, $names);
243                 }
244
245
246                 $sql = sprintf("%s INDEX `%s` (%s)", $method, DBA::escape($indexname), $names);
247                 return ($sql);
248         }
249
250         /**
251          * Updates DB structure and returns eventual errors messages
252          *
253          * @param bool  $verbose
254          * @param bool  $action     Whether to actually apply the update
255          * @param bool  $install    Is this the initial update during the installation?
256          * @param array $tables     An array of the database tables
257          * @param array $definition An array of the definition tables
258          * @return string Empty string if the update is successful, error messages otherwise
259          */
260         public static function update($verbose, $action, $install = false, array $tables = null, array $definition = null)
261         {
262                 if ($action && !$install) {
263                         Config::set('system', 'maintenance', 1);
264                         Config::set('system', 'maintenance_reason', L10n::t('%s: Database update', DateTimeFormat::utcNow() . ' ' . date('e')));
265                 }
266
267                 $errors = '';
268
269                 Logger::log('updating structure', Logger::DEBUG);
270
271                 // Get the current structure
272                 $database = [];
273
274                 if (is_null($tables)) {
275                         $tables = q("SHOW TABLES");
276                 }
277
278                 if (DBA::isResult($tables)) {
279                         foreach ($tables AS $table) {
280                                 $table = current($table);
281
282                                 Logger::log(sprintf('updating structure for table %s ...', $table), Logger::DEBUG);
283                                 $database[$table] = self::tableStructure($table);
284                         }
285                 }
286
287                 // Get the definition
288                 if (is_null($definition)) {
289                         $definition = self::definition();
290                 }
291
292                 // MySQL >= 5.7.4 doesn't support the IGNORE keyword in ALTER TABLE statements
293                 if ((version_compare(DBA::serverInfo(), '5.7.4') >= 0) &&
294                         !(strpos(DBA::serverInfo(), 'MariaDB') !== false)) {
295                         $ignore = '';
296                 } else {
297                         $ignore = ' IGNORE';
298                 }
299
300                 // Compare it
301                 foreach ($definition AS $name => $structure) {
302                         $is_new_table = false;
303                         $group_by = "";
304                         $sql3 = "";
305                         $is_unique = false;
306                         $temp_name = $name;
307                         if (!isset($database[$name])) {
308                                 $r = self::createTable($name, $structure, $verbose, $action);
309                                 if (!DBA::isResult($r)) {
310                                         $errors .= self::printUpdateError($name);
311                                 }
312                                 $is_new_table = true;
313                         } else {
314                                 foreach ($structure["indexes"] AS $indexname => $fieldnames) {
315                                         if (isset($database[$name]["indexes"][$indexname])) {
316                                                 $current_index_definition = implode(",", $database[$name]["indexes"][$indexname]);
317                                         } else {
318                                                 $current_index_definition = "__NOT_SET__";
319                                         }
320                                         $new_index_definition = implode(",", $fieldnames);
321                                         if ($current_index_definition != $new_index_definition) {
322                                                 if ($fieldnames[0] == "UNIQUE") {
323                                                         $is_unique = true;
324                                                         if ($ignore == "") {
325                                                                 $temp_name = "temp-" . $name;
326                                                         }
327                                                 }
328                                         }
329                                 }
330
331                                 /*
332                                  * Drop the index if it isn't present in the definition
333                                  * or the definition differ from current status
334                                  * and index name doesn't start with "local_"
335                                  */
336                                 foreach ($database[$name]["indexes"] as $indexname => $fieldnames) {
337                                         $current_index_definition = implode(",", $fieldnames);
338                                         if (isset($structure["indexes"][$indexname])) {
339                                                 $new_index_definition = implode(",", $structure["indexes"][$indexname]);
340                                         } else {
341                                                 $new_index_definition = "__NOT_SET__";
342                                         }
343                                         if ($current_index_definition != $new_index_definition && substr($indexname, 0, 6) != 'local_') {
344                                                 $sql2 = self::dropIndex($indexname);
345                                                 if ($sql3 == "") {
346                                                         $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
347                                                 } else {
348                                                         $sql3 .= ", " . $sql2;
349                                                 }
350                                         }
351                                 }
352                                 // Compare the field structure field by field
353                                 foreach ($structure["fields"] AS $fieldname => $parameters) {
354                                         if (!isset($database[$name]["fields"][$fieldname])) {
355                                                 $sql2 = self::addTableField($fieldname, $parameters);
356                                                 if ($sql3 == "") {
357                                                         $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
358                                                 } else {
359                                                         $sql3 .= ", " . $sql2;
360                                                 }
361                                         } else {
362                                                 // Compare the field definition
363                                                 $field_definition = $database[$name]["fields"][$fieldname];
364
365                                                 // Remove the relation data that is used for the referential integrity
366                                                 unset($parameters['relation']);
367
368                                                 // We change the collation after the indexes had been changed.
369                                                 // This is done to avoid index length problems.
370                                                 // So here we always ensure that there is no need to change it.
371                                                 unset($parameters['Collation']);
372                                                 unset($field_definition['Collation']);
373
374                                                 // Only update the comment when it is defined
375                                                 if (!isset($parameters['comment'])) {
376                                                         $parameters['comment'] = "";
377                                                 }
378
379                                                 $current_field_definition = DBA::cleanQuery(implode(",", $field_definition));
380                                                 $new_field_definition = DBA::cleanQuery(implode(",", $parameters));
381                                                 if ($current_field_definition != $new_field_definition) {
382                                                         $sql2 = self::modifyTableField($fieldname, $parameters);
383                                                         if ($sql3 == "") {
384                                                                 $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
385                                                         } else {
386                                                                 $sql3 .= ", " . $sql2;
387                                                         }
388                                                 }
389                                         }
390                                 }
391                         }
392
393                         /*
394                          * Create the index if the index don't exists in database
395                          * or the definition differ from the current status.
396                          * Don't create keys if table is new
397                          */
398                         if (!$is_new_table) {
399                                 foreach ($structure["indexes"] AS $indexname => $fieldnames) {
400                                         if (isset($database[$name]["indexes"][$indexname])) {
401                                                 $current_index_definition = implode(",", $database[$name]["indexes"][$indexname]);
402                                         } else {
403                                                 $current_index_definition = "__NOT_SET__";
404                                         }
405                                         $new_index_definition = implode(",", $fieldnames);
406                                         if ($current_index_definition != $new_index_definition) {
407                                                 $sql2 = self::createIndex($indexname, $fieldnames);
408
409                                                 // Fetch the "group by" fields for unique indexes
410                                                 $group_by = self::groupBy($fieldnames);
411                                                 if ($sql2 != "") {
412                                                         if ($sql3 == "") {
413                                                                 $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
414                                                         } else {
415                                                                 $sql3 .= ", " . $sql2;
416                                                         }
417                                                 }
418                                         }
419                                 }
420
421                                 if (isset($database[$name]["table_status"]["Comment"])) {
422                                         $structurecomment = defaults($structure, "comment", "");
423                                         if ($database[$name]["table_status"]["Comment"] != $structurecomment) {
424                                                 $sql2 = "COMMENT = '" . DBA::escape($structurecomment) . "'";
425
426                                                 if ($sql3 == "") {
427                                                         $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
428                                                 } else {
429                                                         $sql3 .= ", " . $sql2;
430                                                 }
431                                         }
432                                 }
433
434                                 if (isset($database[$name]["table_status"]["Engine"]) && isset($structure['engine'])) {
435                                         if ($database[$name]["table_status"]["Engine"] != $structure['engine']) {
436                                                 $sql2 = "ENGINE = '" . DBA::escape($structure['engine']) . "'";
437
438                                                 if ($sql3 == "") {
439                                                         $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
440                                                 } else {
441                                                         $sql3 .= ", " . $sql2;
442                                                 }
443                                         }
444                                 }
445
446                                 if (isset($database[$name]["table_status"]["Collation"])) {
447                                         if ($database[$name]["table_status"]["Collation"] != 'utf8mb4_general_ci') {
448                                                 $sql2 = "DEFAULT COLLATE utf8mb4_general_ci";
449
450                                                 if ($sql3 == "") {
451                                                         $sql3 = "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
452                                                 } else {
453                                                         $sql3 .= ", " . $sql2;
454                                                 }
455                                         }
456                                 }
457
458                                 if ($sql3 != "") {
459                                         $sql3 .= "; ";
460                                 }
461
462                                 // Now have a look at the field collations
463                                 // Compare the field structure field by field
464                                 foreach ($structure["fields"] AS $fieldname => $parameters) {
465                                         // Compare the field definition
466                                         $field_definition = defaults($database[$name]["fields"], $fieldname, ['Collation' => '']);
467
468                                         // Define the default collation if not given
469                                         if (!isset($parameters['Collation']) && !empty($field_definition['Collation'])) {
470                                                 $parameters['Collation'] = 'utf8mb4_general_ci';
471                                         } else {
472                                                 $parameters['Collation'] = null;
473                                         }
474
475                                         if ($field_definition['Collation'] != $parameters['Collation']) {
476                                                 $sql2 = self::modifyTableField($fieldname, $parameters);
477                                                 if (($sql3 == "") || (substr($sql3, -2, 2) == "; ")) {
478                                                         $sql3 .= "ALTER" . $ignore . " TABLE `" . $temp_name . "` " . $sql2;
479                                                 } else {
480                                                         $sql3 .= ", " . $sql2;
481                                                 }
482                                         }
483                                 }
484                         }
485
486                         if ($sql3 != "") {
487                                 if (substr($sql3, -2, 2) != "; ") {
488                                         $sql3 .= ";";
489                                 }
490
491                                 $field_list = '';
492                                 if ($is_unique && $ignore == '') {
493                                         foreach ($database[$name]["fields"] AS $fieldname => $parameters) {
494                                                 $field_list .= 'ANY_VALUE(`' . $fieldname . '`),';
495                                         }
496                                         $field_list = rtrim($field_list, ',');
497                                 }
498
499                                 if ($verbose) {
500                                         // Ensure index conversion to unique removes duplicates
501                                         if ($is_unique && ($temp_name != $name)) {
502                                                 if ($ignore != "") {
503                                                         echo "SET session old_alter_table=1;\n";
504                                                 } else {
505                                                         echo "DROP TABLE IF EXISTS `" . $temp_name . "`;\n";
506                                                         echo "CREATE TABLE `" . $temp_name . "` LIKE `" . $name . "`;\n";
507                                                 }
508                                         }
509
510                                         echo $sql3 . "\n";
511
512                                         if ($is_unique && ($temp_name != $name)) {
513                                                 if ($ignore != "") {
514                                                         echo "SET session old_alter_table=0;\n";
515                                                 } else {
516                                                         echo "INSERT INTO `" . $temp_name . "` SELECT " . DBA::anyValueFallback($field_list) . " FROM `" . $name . "`" . $group_by . ";\n";
517                                                         echo "DROP TABLE `" . $name . "`;\n";
518                                                         echo "RENAME TABLE `" . $temp_name . "` TO `" . $name . "`;\n";
519                                                 }
520                                         }
521                                 }
522
523                                 if ($action) {
524                                         if (!$install) {
525                                                 Config::set('system', 'maintenance_reason', L10n::t('%s: updating %s table.', DateTimeFormat::utcNow() . ' ' . date('e'), $name));
526                                         }
527
528                                         // Ensure index conversion to unique removes duplicates
529                                         if ($is_unique && ($temp_name != $name)) {
530                                                 if ($ignore != "") {
531                                                         DBA::e("SET session old_alter_table=1;");
532                                                 } else {
533                                                         $r = DBA::e("DROP TABLE IF EXISTS `" . $temp_name . "`;");
534                                                         if (!DBA::isResult($r)) {
535                                                                 $errors .= self::printUpdateError($sql3);
536                                                                 return $errors;
537                                                         }
538
539                                                         $r = DBA::e("CREATE TABLE `" . $temp_name . "` LIKE `" . $name . "`;");
540                                                         if (!DBA::isResult($r)) {
541                                                                 $errors .= self::printUpdateError($sql3);
542                                                                 return $errors;
543                                                         }
544                                                 }
545                                         }
546
547                                         $r = DBA::e($sql3);
548                                         if (!DBA::isResult($r)) {
549                                                 $errors .= self::printUpdateError($sql3);
550                                         }
551                                         if ($is_unique && ($temp_name != $name)) {
552                                                 if ($ignore != "") {
553                                                         DBA::e("SET session old_alter_table=0;");
554                                                 } else {
555                                                         $r = DBA::e("INSERT INTO `" . $temp_name . "` SELECT " . $field_list . " FROM `" . $name . "`" . $group_by . ";");
556                                                         if (!DBA::isResult($r)) {
557                                                                 $errors .= self::printUpdateError($sql3);
558                                                                 return $errors;
559                                                         }
560                                                         $r = DBA::e("DROP TABLE `" . $name . "`;");
561                                                         if (!DBA::isResult($r)) {
562                                                                 $errors .= self::printUpdateError($sql3);
563                                                                 return $errors;
564                                                         }
565                                                         $r = DBA::e("RENAME TABLE `" . $temp_name . "` TO `" . $name . "`;");
566                                                         if (!DBA::isResult($r)) {
567                                                                 $errors .= self::printUpdateError($sql3);
568                                                                 return $errors;
569                                                         }
570                                                 }
571                                         }
572                                 }
573                         }
574                 }
575
576                 if ($action && !$install) {
577                         Config::set('system', 'maintenance', 0);
578                         Config::set('system', 'maintenance_reason', '');
579
580                         if ($errors) {
581                                 Config::set('system', 'dbupdate', self::UPDATE_FAILED);
582                         } else {
583                                 Config::set('system', 'dbupdate', self::UPDATE_SUCCESSFUL);
584                         }
585                 }
586
587                 return $errors;
588         }
589
590         private static function tableStructure($table)
591         {
592                 $structures = q("DESCRIBE `%s`", $table);
593
594                 $full_columns = q("SHOW FULL COLUMNS FROM `%s`", $table);
595
596                 $indexes = q("SHOW INDEX FROM `%s`", $table);
597
598                 $table_status = q("SHOW TABLE STATUS WHERE `name` = '%s'", $table);
599
600                 if (DBA::isResult($table_status)) {
601                         $table_status = $table_status[0];
602                 } else {
603                         $table_status = [];
604                 }
605
606                 $fielddata = [];
607                 $indexdata = [];
608
609                 if (DBA::isResult($indexes)) {
610                         foreach ($indexes AS $index) {
611                                 if ($index["Key_name"] != "PRIMARY" && $index["Non_unique"] == "0" && !isset($indexdata[$index["Key_name"]])) {
612                                         $indexdata[$index["Key_name"]] = ["UNIQUE"];
613                                 }
614
615                                 if ($index["Index_type"] == "FULLTEXT" && !isset($indexdata[$index["Key_name"]])) {
616                                         $indexdata[$index["Key_name"]] = ["FULLTEXT"];
617                                 }
618
619                                 $column = $index["Column_name"];
620
621                                 if ($index["Sub_part"] != "") {
622                                         $column .= "(" . $index["Sub_part"] . ")";
623                                 }
624
625                                 $indexdata[$index["Key_name"]][] = $column;
626                         }
627                 }
628                 if (DBA::isResult($structures)) {
629                         foreach ($structures AS $field) {
630                                 // Replace the default size values so that we don't have to define them
631                                 $search = ['tinyint(1)', 'tinyint(3) unsigned', 'tinyint(4)', 'smallint(5) unsigned', 'smallint(6)', 'mediumint(8) unsigned', 'mediumint(9)', 'bigint(20)', 'int(10) unsigned', 'int(11)'];
632                                 $replace = ['boolean', 'tinyint unsigned', 'tinyint', 'smallint unsigned', 'smallint', 'mediumint unsigned', 'mediumint', 'bigint', 'int unsigned', 'int'];
633                                 $field["Type"] = str_replace($search, $replace, $field["Type"]);
634
635                                 $fielddata[$field["Field"]]["type"] = $field["Type"];
636                                 if ($field["Null"] == "NO") {
637                                         $fielddata[$field["Field"]]["not null"] = true;
638                                 }
639
640                                 if (isset($field["Default"])) {
641                                         $fielddata[$field["Field"]]["default"] = $field["Default"];
642                                 }
643
644                                 if ($field["Extra"] != "") {
645                                         $fielddata[$field["Field"]]["extra"] = $field["Extra"];
646                                 }
647
648                                 if ($field["Key"] == "PRI") {
649                                         $fielddata[$field["Field"]]["primary"] = true;
650                                 }
651                         }
652                 }
653                 if (DBA::isResult($full_columns)) {
654                         foreach ($full_columns AS $column) {
655                                 $fielddata[$column["Field"]]["Collation"] = $column["Collation"];
656                                 $fielddata[$column["Field"]]["comment"] = $column["Comment"];
657                         }
658                 }
659
660                 return ["fields" => $fielddata, "indexes" => $indexdata, "table_status" => $table_status];
661         }
662
663         private static function dropIndex($indexname)
664         {
665                 $sql = sprintf("DROP INDEX `%s`", DBA::escape($indexname));
666                 return ($sql);
667         }
668
669         private static function addTableField($fieldname, $parameters)
670         {
671                 $sql = sprintf("ADD `%s` %s", DBA::escape($fieldname), self::FieldCommand($parameters));
672                 return ($sql);
673         }
674
675         private static function modifyTableField($fieldname, $parameters)
676         {
677                 $sql = sprintf("MODIFY `%s` %s", DBA::escape($fieldname), self::FieldCommand($parameters, false));
678                 return ($sql);
679         }
680
681         /**
682          * Constructs a GROUP BY clause from a UNIQUE index definition.
683          *
684          * @param array $fieldnames
685          * @return string
686          */
687         private static function groupBy(array $fieldnames)
688         {
689                 if ($fieldnames[0] != "UNIQUE") {
690                         return "";
691                 }
692
693                 array_shift($fieldnames);
694
695                 $names = "";
696                 foreach ($fieldnames AS $fieldname) {
697                         if ($names != "") {
698                                 $names .= ",";
699                         }
700
701                         if (preg_match('|(.+)\((\d+)\)|', $fieldname, $matches)) {
702                                 $names .= "`" . DBA::escape($matches[1]) . "`";
703                         } else {
704                                 $names .= "`" . DBA::escape($fieldname) . "`";
705                         }
706                 }
707
708                 $sql = sprintf(" GROUP BY %s", $names);
709                 return $sql;
710         }
711
712         /**
713          * Renames columns or the primary key of a table
714          *
715          * @todo You cannot rename a primary key if "auto increment" is set
716          *
717          * @param string $table            Table name
718          * @param array  $columns          Columns Syntax for Rename: [ $old1 => [ $new1, $type1 ], $old2 => [ $new2, $type2 ], ... ] )
719          *                                 Syntax for Primary Key: [ $col1, $col2, ...] )
720          * @param int    $type             The type of renaming (Default is Column)
721          *
722          * @return boolean Was the renaming successful?
723          *
724          */
725         public static function rename($table, $columns, $type = self::RENAME_COLUMN)
726         {
727                 if (empty($table) || empty($columns)) {
728                         return false;
729                 }
730
731                 if (!is_array($columns)) {
732                         return false;
733                 }
734
735                 $table = DBA::escape($table);
736
737                 $sql = "ALTER TABLE `" . $table . "`";
738                 switch ($type) {
739                         case self::RENAME_COLUMN:
740                                 if (!self::existsColumn($table, array_keys($columns))) {
741                                         return false;
742                                 }
743                                 $sql .= implode(',', array_map(
744                                         function ($to, $from) {
745                                                 return " CHANGE `" . $from . "` `" . $to[0] . "` " . $to[1];
746                                         },
747                                         $columns,
748                                         array_keys($columns)
749                                 ));
750                                 break;
751                         case self::RENAME_PRIMARY_KEY:
752                                 if (!self::existsColumn($table, $columns)) {
753                                         return false;
754                                 }
755                                 $sql .= " DROP PRIMARY KEY, ADD PRIMARY KEY(`" . implode('`, `', $columns) . "`)";
756                                 break;
757                         default:
758                                 return false;
759                 }
760
761                 $sql .= ";";
762
763                 $stmt = DBA::p($sql);
764
765                 if (is_bool($stmt)) {
766                         $retval = $stmt;
767                 } else {
768                         $retval = true;
769                 }
770
771                 DBA::close($stmt);
772
773                 return $retval;
774         }
775
776         /**
777          *    Check if the columns of the table exists
778          *
779          * @param string $table   Table name
780          * @param array  $columns Columns to check ( Syntax: [ $col1, $col2, .. ] )
781          *
782          * @return boolean Does the table exist?
783          */
784         public static function existsColumn($table, $columns = [])
785         {
786                 if (empty($table)) {
787                         return false;
788                 }
789
790                 if (is_null($columns) || empty($columns)) {
791                         return self::existsTable($table);
792                 }
793
794                 $table = DBA::escape($table);
795
796                 foreach ($columns AS $column) {
797                         $sql = "SHOW COLUMNS FROM `" . $table . "` LIKE '" . $column . "';";
798
799                         $stmt = DBA::p($sql);
800
801                         if (is_bool($stmt)) {
802                                 $retval = $stmt;
803                         } else {
804                                 $retval = (DBA::numRows($stmt) > 0);
805                         }
806
807                         DBA::close($stmt);
808
809                         if (!$retval) {
810                                 return false;
811                         }
812                 }
813
814                 return true;
815         }
816
817         /**
818          *    Check if a table exists
819          *
820          * @param string $table Table name
821          *
822          * @return boolean Does the table exist?
823          */
824         public static function existsTable($table)
825         {
826                 if (empty($table)) {
827                         return false;
828                 }
829
830                 $table = DBA::escape($table);
831
832                 $sql = "SHOW TABLES LIKE '" . $table . "';";
833
834                 $stmt = DBA::p($sql);
835
836                 if (is_bool($stmt)) {
837                         $retval = $stmt;
838                 } else {
839                         $retval = (DBA::numRows($stmt) > 0);
840                 }
841
842                 DBA::close($stmt);
843
844                 return $retval;
845         }
846 }