vendor/doctrine/dbal/src/Schema/MySQLSchemaManager.php line 57

Open in your IDE?
  1. <?php
  2. namespace Doctrine\DBAL\Schema;
  3. use Doctrine\DBAL\Platforms\AbstractMySQLPlatform;
  4. use Doctrine\DBAL\Platforms\MariaDb1027Platform;
  5. use Doctrine\DBAL\Platforms\MySQL;
  6. use Doctrine\DBAL\Platforms\MySQL\CollationMetadataProvider\CachingCollationMetadataProvider;
  7. use Doctrine\DBAL\Platforms\MySQL\CollationMetadataProvider\ConnectionCollationMetadataProvider;
  8. use Doctrine\DBAL\Result;
  9. use Doctrine\DBAL\Types\Type;
  10. use function array_change_key_case;
  11. use function array_shift;
  12. use function assert;
  13. use function explode;
  14. use function implode;
  15. use function is_string;
  16. use function preg_match;
  17. use function strpos;
  18. use function strtok;
  19. use function strtolower;
  20. use function strtr;
  21. use const CASE_LOWER;
  22. /**
  23.  * Schema manager for the MySQL RDBMS.
  24.  *
  25.  * @extends AbstractSchemaManager<AbstractMySQLPlatform>
  26.  */
  27. class MySQLSchemaManager extends AbstractSchemaManager
  28. {
  29.     /** @see https://mariadb.com/kb/en/library/string-literals/#escape-sequences */
  30.     private const MARIADB_ESCAPE_SEQUENCES = [
  31.         '\\0' => "\0",
  32.         "\\'" => "'",
  33.         '\\"' => '"',
  34.         '\\b' => "\b",
  35.         '\\n' => "\n",
  36.         '\\r' => "\r",
  37.         '\\t' => "\t",
  38.         '\\Z' => "\x1a",
  39.         '\\\\' => '\\',
  40.         '\\%' => '%',
  41.         '\\_' => '_',
  42.         // Internally, MariaDB escapes single quotes using the standard syntax
  43.         "''" => "'",
  44.     ];
  45.     /**
  46.      * {@inheritDoc}
  47.      */
  48.     public function listTableNames()
  49.     {
  50.         return $this->doListTableNames();
  51.     }
  52.     /**
  53.      * {@inheritDoc}
  54.      */
  55.     public function listTables()
  56.     {
  57.         return $this->doListTables();
  58.     }
  59.     /**
  60.      * {@inheritDoc}
  61.      */
  62.     public function listTableDetails($name)
  63.     {
  64.         return $this->doListTableDetails($name);
  65.     }
  66.     /**
  67.      * {@inheritDoc}
  68.      */
  69.     public function listTableColumns($table$database null)
  70.     {
  71.         return $this->doListTableColumns($table$database);
  72.     }
  73.     /**
  74.      * {@inheritDoc}
  75.      */
  76.     public function listTableIndexes($table)
  77.     {
  78.         return $this->doListTableIndexes($table);
  79.     }
  80.     /**
  81.      * {@inheritDoc}
  82.      */
  83.     public function listTableForeignKeys($table$database null)
  84.     {
  85.         return $this->doListTableForeignKeys($table$database);
  86.     }
  87.     /**
  88.      * {@inheritdoc}
  89.      */
  90.     protected function _getPortableViewDefinition($view)
  91.     {
  92.         return new View($view['TABLE_NAME'], $view['VIEW_DEFINITION']);
  93.     }
  94.     /**
  95.      * {@inheritdoc}
  96.      */
  97.     protected function _getPortableTableDefinition($table)
  98.     {
  99.         return array_shift($table);
  100.     }
  101.     /**
  102.      * {@inheritdoc}
  103.      */
  104.     protected function _getPortableTableIndexesList($tableIndexes$tableName null)
  105.     {
  106.         foreach ($tableIndexes as $k => $v) {
  107.             $v array_change_key_case($vCASE_LOWER);
  108.             if ($v['key_name'] === 'PRIMARY') {
  109.                 $v['primary'] = true;
  110.             } else {
  111.                 $v['primary'] = false;
  112.             }
  113.             if (strpos($v['index_type'], 'FULLTEXT') !== false) {
  114.                 $v['flags'] = ['FULLTEXT'];
  115.             } elseif (strpos($v['index_type'], 'SPATIAL') !== false) {
  116.                 $v['flags'] = ['SPATIAL'];
  117.             }
  118.             // Ignore prohibited prefix `length` for spatial index
  119.             if (strpos($v['index_type'], 'SPATIAL') === false) {
  120.                 $v['length'] = isset($v['sub_part']) ? (int) $v['sub_part'] : null;
  121.             }
  122.             $tableIndexes[$k] = $v;
  123.         }
  124.         return parent::_getPortableTableIndexesList($tableIndexes$tableName);
  125.     }
  126.     /**
  127.      * {@inheritdoc}
  128.      */
  129.     protected function _getPortableDatabaseDefinition($database)
  130.     {
  131.         return $database['Database'];
  132.     }
  133.     /**
  134.      * {@inheritdoc}
  135.      */
  136.     protected function _getPortableTableColumnDefinition($tableColumn)
  137.     {
  138.         $tableColumn array_change_key_case($tableColumnCASE_LOWER);
  139.         $dbType strtolower($tableColumn['type']);
  140.         $dbType strtok($dbType'(), ');
  141.         assert(is_string($dbType));
  142.         $length $tableColumn['length'] ?? strtok('(), ');
  143.         $fixed null;
  144.         if (! isset($tableColumn['name'])) {
  145.             $tableColumn['name'] = '';
  146.         }
  147.         $scale     null;
  148.         $precision null;
  149.         $type $this->_platform->getDoctrineTypeMapping($dbType);
  150.         // In cases where not connected to a database DESCRIBE $table does not return 'Comment'
  151.         if (isset($tableColumn['comment'])) {
  152.             $type                   $this->extractDoctrineTypeFromComment($tableColumn['comment'], $type);
  153.             $tableColumn['comment'] = $this->removeDoctrineTypeFromComment($tableColumn['comment'], $type);
  154.         }
  155.         switch ($dbType) {
  156.             case 'char':
  157.             case 'binary':
  158.                 $fixed true;
  159.                 break;
  160.             case 'float':
  161.             case 'double':
  162.             case 'real':
  163.             case 'numeric':
  164.             case 'decimal':
  165.                 if (
  166.                     preg_match(
  167.                         '([A-Za-z]+\(([0-9]+),([0-9]+)\))',
  168.                         $tableColumn['type'],
  169.                         $match,
  170.                     ) === 1
  171.                 ) {
  172.                     $precision $match[1];
  173.                     $scale     $match[2];
  174.                     $length    null;
  175.                 }
  176.                 break;
  177.             case 'tinytext':
  178.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_TINYTEXT;
  179.                 break;
  180.             case 'text':
  181.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_TEXT;
  182.                 break;
  183.             case 'mediumtext':
  184.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_MEDIUMTEXT;
  185.                 break;
  186.             case 'tinyblob':
  187.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_TINYBLOB;
  188.                 break;
  189.             case 'blob':
  190.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_BLOB;
  191.                 break;
  192.             case 'mediumblob':
  193.                 $length AbstractMySQLPlatform::LENGTH_LIMIT_MEDIUMBLOB;
  194.                 break;
  195.             case 'tinyint':
  196.             case 'smallint':
  197.             case 'mediumint':
  198.             case 'int':
  199.             case 'integer':
  200.             case 'bigint':
  201.             case 'year':
  202.                 $length null;
  203.                 break;
  204.         }
  205.         if ($this->_platform instanceof MariaDb1027Platform) {
  206.             $columnDefault $this->getMariaDb1027ColumnDefault($this->_platform$tableColumn['default']);
  207.         } else {
  208.             $columnDefault $tableColumn['default'];
  209.         }
  210.         $options = [
  211.             'length'        => $length !== null ? (int) $length null,
  212.             'unsigned'      => strpos($tableColumn['type'], 'unsigned') !== false,
  213.             'fixed'         => (bool) $fixed,
  214.             'default'       => $columnDefault,
  215.             'notnull'       => $tableColumn['null'] !== 'YES',
  216.             'scale'         => null,
  217.             'precision'     => null,
  218.             'autoincrement' => strpos($tableColumn['extra'], 'auto_increment') !== false,
  219.             'comment'       => isset($tableColumn['comment']) && $tableColumn['comment'] !== ''
  220.                 $tableColumn['comment']
  221.                 : null,
  222.         ];
  223.         if ($scale !== null && $precision !== null) {
  224.             $options['scale']     = (int) $scale;
  225.             $options['precision'] = (int) $precision;
  226.         }
  227.         $column = new Column($tableColumn['field'], Type::getType($type), $options);
  228.         if (isset($tableColumn['characterset'])) {
  229.             $column->setPlatformOption('charset'$tableColumn['characterset']);
  230.         }
  231.         if (isset($tableColumn['collation'])) {
  232.             $column->setPlatformOption('collation'$tableColumn['collation']);
  233.         }
  234.         return $column;
  235.     }
  236.     /**
  237.      * Return Doctrine/Mysql-compatible column default values for MariaDB 10.2.7+ servers.
  238.      *
  239.      * - Since MariaDb 10.2.7 column defaults stored in information_schema are now quoted
  240.      *   to distinguish them from expressions (see MDEV-10134).
  241.      * - CURRENT_TIMESTAMP, CURRENT_TIME, CURRENT_DATE are stored in information_schema
  242.      *   as current_timestamp(), currdate(), currtime()
  243.      * - Quoted 'NULL' is not enforced by Maria, it is technically possible to have
  244.      *   null in some circumstances (see https://jira.mariadb.org/browse/MDEV-14053)
  245.      * - \' is always stored as '' in information_schema (normalized)
  246.      *
  247.      * @link https://mariadb.com/kb/en/library/information-schema-columns-table/
  248.      * @link https://jira.mariadb.org/browse/MDEV-13132
  249.      *
  250.      * @param string|null $columnDefault default value as stored in information_schema for MariaDB >= 10.2.7
  251.      */
  252.     private function getMariaDb1027ColumnDefault(MariaDb1027Platform $platform, ?string $columnDefault): ?string
  253.     {
  254.         if ($columnDefault === 'NULL' || $columnDefault === null) {
  255.             return null;
  256.         }
  257.         if (preg_match('/^\'(.*)\'$/'$columnDefault$matches) === 1) {
  258.             return strtr($matches[1], self::MARIADB_ESCAPE_SEQUENCES);
  259.         }
  260.         switch ($columnDefault) {
  261.             case 'current_timestamp()':
  262.                 return $platform->getCurrentTimestampSQL();
  263.             case 'curdate()':
  264.                 return $platform->getCurrentDateSQL();
  265.             case 'curtime()':
  266.                 return $platform->getCurrentTimeSQL();
  267.         }
  268.         return $columnDefault;
  269.     }
  270.     /**
  271.      * {@inheritdoc}
  272.      */
  273.     protected function _getPortableTableForeignKeysList($tableForeignKeys)
  274.     {
  275.         $list = [];
  276.         foreach ($tableForeignKeys as $value) {
  277.             $value array_change_key_case($valueCASE_LOWER);
  278.             if (! isset($list[$value['constraint_name']])) {
  279.                 if (! isset($value['delete_rule']) || $value['delete_rule'] === 'RESTRICT') {
  280.                     $value['delete_rule'] = null;
  281.                 }
  282.                 if (! isset($value['update_rule']) || $value['update_rule'] === 'RESTRICT') {
  283.                     $value['update_rule'] = null;
  284.                 }
  285.                 $list[$value['constraint_name']] = [
  286.                     'name' => $value['constraint_name'],
  287.                     'local' => [],
  288.                     'foreign' => [],
  289.                     'foreignTable' => $value['referenced_table_name'],
  290.                     'onDelete' => $value['delete_rule'],
  291.                     'onUpdate' => $value['update_rule'],
  292.                 ];
  293.             }
  294.             $list[$value['constraint_name']]['local'][]   = $value['column_name'];
  295.             $list[$value['constraint_name']]['foreign'][] = $value['referenced_column_name'];
  296.         }
  297.         return parent::_getPortableTableForeignKeysList($list);
  298.     }
  299.     /**
  300.      * {@inheritDoc}
  301.      */
  302.     protected function _getPortableTableForeignKeyDefinition($tableForeignKey): ForeignKeyConstraint
  303.     {
  304.         return new ForeignKeyConstraint(
  305.             $tableForeignKey['local'],
  306.             $tableForeignKey['foreignTable'],
  307.             $tableForeignKey['foreign'],
  308.             $tableForeignKey['name'],
  309.             [
  310.                 'onDelete' => $tableForeignKey['onDelete'],
  311.                 'onUpdate' => $tableForeignKey['onUpdate'],
  312.             ],
  313.         );
  314.     }
  315.     public function createComparator(): Comparator
  316.     {
  317.         return new MySQL\Comparator(
  318.             $this->_platform,
  319.             new CachingCollationMetadataProvider(
  320.                 new ConnectionCollationMetadataProvider($this->_conn),
  321.             ),
  322.         );
  323.     }
  324.     protected function selectTableNames(string $databaseName): Result
  325.     {
  326.         $sql = <<<'SQL'
  327. SELECT TABLE_NAME
  328. FROM information_schema.TABLES
  329. WHERE TABLE_SCHEMA = ?
  330.   AND TABLE_TYPE = 'BASE TABLE'
  331. ORDER BY TABLE_NAME
  332. SQL;
  333.         return $this->_conn->executeQuery($sql, [$databaseName]);
  334.     }
  335.     protected function selectTableColumns(string $databaseName, ?string $tableName null): Result
  336.     {
  337.         $sql 'SELECT';
  338.         if ($tableName === null) {
  339.             $sql .= ' c.TABLE_NAME,';
  340.         }
  341.         $sql .= <<<'SQL'
  342.        c.COLUMN_NAME        AS field,
  343.        c.COLUMN_TYPE        AS type,
  344.        c.IS_NULLABLE        AS `null`,
  345.        c.COLUMN_KEY         AS `key`,
  346.        c.COLUMN_DEFAULT     AS `default`,
  347.        c.EXTRA,
  348.        c.COLUMN_COMMENT     AS comment,
  349.        c.CHARACTER_SET_NAME AS characterset,
  350.        c.COLLATION_NAME     AS collation
  351. FROM information_schema.COLUMNS c
  352.     INNER JOIN information_schema.TABLES t
  353.         ON t.TABLE_NAME = c.TABLE_NAME
  354. SQL;
  355.         // The schema name is passed multiple times as a literal in the WHERE clause instead of using a JOIN condition
  356.         // in order to avoid performance issues on MySQL older than 8.0 and the corresponding MariaDB versions
  357.         // caused by https://bugs.mysql.com/bug.php?id=81347
  358.         $conditions = ['c.TABLE_SCHEMA = ?''t.TABLE_SCHEMA = ?'"t.TABLE_TYPE = 'BASE TABLE'"];
  359.         $params     = [$databaseName$databaseName];
  360.         if ($tableName !== null) {
  361.             $conditions[] = 't.TABLE_NAME = ?';
  362.             $params[]     = $tableName;
  363.         }
  364.         $sql .= ' WHERE ' implode(' AND '$conditions) . ' ORDER BY ORDINAL_POSITION';
  365.         return $this->_conn->executeQuery($sql$params);
  366.     }
  367.     protected function selectIndexColumns(string $databaseName, ?string $tableName null): Result
  368.     {
  369.         $sql 'SELECT';
  370.         if ($tableName === null) {
  371.             $sql .= ' TABLE_NAME,';
  372.         }
  373.         $sql .= <<<'SQL'
  374.         NON_UNIQUE  AS Non_Unique,
  375.         INDEX_NAME  AS Key_name,
  376.         COLUMN_NAME AS Column_Name,
  377.         SUB_PART    AS Sub_Part,
  378.         INDEX_TYPE  AS Index_Type
  379. FROM information_schema.STATISTICS
  380. SQL;
  381.         $conditions = ['TABLE_SCHEMA = ?'];
  382.         $params     = [$databaseName];
  383.         if ($tableName !== null) {
  384.             $conditions[] = 'TABLE_NAME = ?';
  385.             $params[]     = $tableName;
  386.         }
  387.         $sql .= ' WHERE ' implode(' AND '$conditions) . ' ORDER BY SEQ_IN_INDEX';
  388.         return $this->_conn->executeQuery($sql$params);
  389.     }
  390.     protected function selectForeignKeyColumns(string $databaseName, ?string $tableName null): Result
  391.     {
  392.         $sql 'SELECT DISTINCT';
  393.         if ($tableName === null) {
  394.             $sql .= ' k.TABLE_NAME,';
  395.         }
  396.         $sql .= <<<'SQL'
  397.             k.CONSTRAINT_NAME,
  398.             k.COLUMN_NAME,
  399.             k.REFERENCED_TABLE_NAME,
  400.             k.REFERENCED_COLUMN_NAME,
  401.             k.ORDINAL_POSITION /*!50116,
  402.             c.UPDATE_RULE,
  403.             c.DELETE_RULE */
  404. FROM information_schema.key_column_usage k /*!50116
  405. INNER JOIN information_schema.referential_constraints c
  406. ON c.CONSTRAINT_NAME = k.CONSTRAINT_NAME
  407. AND c.TABLE_NAME = k.TABLE_NAME */
  408. SQL;
  409.         $conditions = ['k.TABLE_SCHEMA = ?'];
  410.         $params     = [$databaseName];
  411.         if ($tableName !== null) {
  412.             $conditions[] = 'k.TABLE_NAME = ?';
  413.             $params[]     = $tableName;
  414.         }
  415.         $conditions[] = 'k.REFERENCED_COLUMN_NAME IS NOT NULL';
  416.         $sql .= ' WHERE ' implode(' AND '$conditions)
  417.             // The schema name is passed multiple times in the WHERE clause instead of using a JOIN condition
  418.             // in order to avoid performance issues on MySQL older than 8.0 and the corresponding MariaDB versions
  419.             // caused by https://bugs.mysql.com/bug.php?id=81347.
  420.             // Use a string literal for the database name since the internal PDO SQL parser
  421.             // cannot recognize parameter placeholders inside conditional comments
  422.             ' /*!50116 AND c.CONSTRAINT_SCHEMA = ' $this->_conn->quote($databaseName) . ' */'
  423.             ' ORDER BY k.ORDINAL_POSITION';
  424.         return $this->_conn->executeQuery($sql$params);
  425.     }
  426.     /**
  427.      * {@inheritDoc}
  428.      */
  429.     protected function fetchTableOptionsByTable(string $databaseName, ?string $tableName null): array
  430.     {
  431.         $sql = <<<'SQL'
  432.     SELECT t.TABLE_NAME,
  433.            t.ENGINE,
  434.            t.AUTO_INCREMENT,
  435.            t.TABLE_COMMENT,
  436.            t.CREATE_OPTIONS,
  437.            t.TABLE_COLLATION,
  438.            ccsa.CHARACTER_SET_NAME
  439.       FROM information_schema.TABLES t
  440.         INNER JOIN information_schema.COLLATION_CHARACTER_SET_APPLICABILITY ccsa
  441.             ON ccsa.COLLATION_NAME = t.TABLE_COLLATION
  442. SQL;
  443.         $conditions = ['t.TABLE_SCHEMA = ?'];
  444.         $params     = [$databaseName];
  445.         if ($tableName !== null) {
  446.             $conditions[] = 't.TABLE_NAME = ?';
  447.             $params[]     = $tableName;
  448.         }
  449.         $conditions[] = "t.TABLE_TYPE = 'BASE TABLE'";
  450.         $sql .= ' WHERE ' implode(' AND '$conditions);
  451.         /** @var array<string,array<string,mixed>> $metadata */
  452.         $metadata $this->_conn->executeQuery($sql$params)
  453.             ->fetchAllAssociativeIndexed();
  454.         $tableOptions = [];
  455.         foreach ($metadata as $table => $data) {
  456.             $data array_change_key_case($dataCASE_LOWER);
  457.             $tableOptions[$table] = [
  458.                 'engine'         => $data['engine'],
  459.                 'collation'      => $data['table_collation'],
  460.                 'charset'        => $data['character_set_name'],
  461.                 'autoincrement'  => $data['auto_increment'],
  462.                 'comment'        => $data['table_comment'],
  463.                 'create_options' => $this->parseCreateOptions($data['create_options']),
  464.             ];
  465.         }
  466.         return $tableOptions;
  467.     }
  468.     /** @return string[]|true[] */
  469.     private function parseCreateOptions(?string $string): array
  470.     {
  471.         $options = [];
  472.         if ($string === null || $string === '') {
  473.             return $options;
  474.         }
  475.         foreach (explode(' '$string) as $pair) {
  476.             $parts explode('='$pair2);
  477.             $options[$parts[0]] = $parts[1] ?? true;
  478.         }
  479.         return $options;
  480.     }
  481. }