dbDelta() WP 1.5.0

Створює або змінює таблиці бази даних на основі переданого запиту SQL на створення таблиці.

У функцію передається SQL запит створення таблиці (CREATE TABLE) і якщо таблиці ще немає, вона буде створена, якщо вона вже є, то буде оновлена.

При оновленні таблиці, переданий запит створення таблиці розбирається на частини і його основі вносяться зміни у існуючу таблицю.

Вимоги

Оскільки функція розбирає запит, він повинен відповідати вимогам:

  1. Кожне поле має бути на новому рядку .

  2. У запиті не повинно бути подвійних переносів рядків , наприклад, не можна відокремлювати поля від індексів порожнім рядком.

    Правильно:

    symbol VARCHAR(191) NOT NULL DEFAULT '',
    total_volume FLOAT DEFAULT NULL COMMENT 'volume in USD',
    PRIMARY KEY (id),
    KEY coin_id (coin_id),

    Неправильно:

    symbol VARCHAR(191) NOT NULL DEFAULT '',
    total_volume FLOAT DEFAULT NULL COMMENT 'volume in USD',
    
    PRIMARY KEY (id),
    KEY coin_id (coin_id),
  3. При створенні складових індексів розділяти назви полів потрібно лише комою без пропуску.

    Правильно:

    KEY field (field,field2)

    Неправильно:

    KEY field (field, field2)
  4. Не можна використовувати апострофи або зворотні лапки ( ' `) для імен таблиць або імен полів таблиць: $wpdb->table, а не`$wpdb->table`

  5. Потрібно вказувати довжину поля , полям яких може бути довжина. Наприклад: int(11) .

  6. Рекомендується вказувати тип поля малими літерами: varchar(50), а не VARCHAR(50), int(10)а не INT(10).
Нотатки по роботі функції
  1. При поновленні структури не враховується порядок полів. Тобто. якщо у запиті поле стоїть на другому місці і воно додається в існуючу таблицю, воно буде додано в кінець (перевіряв на WP 4.4).

  2. Також не вдасться додати головне поле auto incrementз PRIMARY KEY до вже існуючої таблиці.

  3. Якщо індексу немає у новій структурі, він не видаляється з вже існуючої таблиці.

  4. Якщо поля немає у новій структурі, воно не видаляється з вже існуючої таблиці.

  5. Якщо індекс змінено, наприклад, до нього додалося ще одне поле, але назва не змінилася, то функція викличе помилку (індекс вже існує).

  6. Для оновлення індексів, краще робити окремі ALTER TABLE запити.
UNIQUE

Для поля можна вказати ключ UNIQUE :

email varchar(100) NOT NULL UNIQUE

але при цьому полю вже не потрібно задавати індекс, він створиться автоматично.

Також індекс можна вказати безпосередньо:

PRIMARY KEY (id),
UNIQUE email (email)

В обох випадках при спробі додати не унікальне значення поля, SQL видасть помилку ( Duplicate entry ‘[email protected]’ for key ’email’ ) і INSERT запит, наприклад $wpdb->insert() , не спрацює.

Коли потрібно використовувати dbDelta?

Підходить до створення нових таблиць, полів, індексів, зміни структури полів.

Не підходить для зміни структури індексів, видалення полів/індексів. Будь-яке видалення структури полів/індексів, потрібно робити окремим ALTER запитом.

Функція не визначена за промовчанням. Для її роботи необхідно підключити файл:

require_once ABSPATH. 'wp-admin/includes/upgrade.php';

Працює на основі:
wp_get_db_schema()

Повертає

Массив. Рядки, що містять результати різних SQL запитів.

Використання

dbDelta ($ queries, $ execute);
$queries
(рядок/масив)

SQL запит.
Можна вказати рядок з кількома запитами (розділяються крапкою з комою).
Можна вказати масив, де кожен елемент повинен бути окремим SQL запитом.

Внутрішнє використання (зазвичай це взагалі не потрібне). Якщо встановити в цей параметр одне зі значення: ”, ‘all’, ‘blog’, ‘global’, ‘ms_global’. То $queries отримає запити створення таблиць WordPress, де:

  • blogSQL запити для створення таблиць блогу: $wpdb->posts , $wpdb->comments і т.д.
  • global— для створення глобальних таблиць, до них належать $wpdb->users (відрізняється для мультисайтів) і $wpdb->usermeta .
  • ms_global– Для створення глобальних таблиць в MU складання.
  • all– Запити для створення всіх можливих таблиці WordPress: включає blog і global.

За замовчуванням: ”

$execute
(логічний)
Виконувати вказані в
$queries запити чи ні. false – не виконувати.


Типово: true

Приклади

1

#1 Ще один приклад створення таблиці з коментарями

function create_payment_info_table(){
	Global $wpdb;

	require_once ABSPATH. 'wp-admin/includes/upgrade.php';

	$sql = "CREATE TABLE $wpdb->payment_info (
		id BIGINT(20) unsigned NOT NULL auto_increment,
		product_id BIGINT(20) NOT NULL default 0 COMMENT 'ID поста (продукту)',
		customer_email VARCHAR(255) NOT NULL default ''COMMENT 'email покупця',
		trans_no VARCHAR(255) NOT NULL default '' COMMENT 'Номер транзакції',
		trans_date DATETIME NOT NULL default '0000-00-00 00:00:00' COMMENT 'Час транзакції',
		license_key VARCHAR(255) NOT NULL default '' COMMENT 'Ліцензійний ключ',
		download_url VARCHAR(255) NOT NULL default ''COMMENT 'URL на завантаження продукту',
		PRIMARY KEY (id),
		KEY trans_no (trans_no)
	)
	DEFAULT CHARACTER SET $wpdb->charset COLLATE $wpdb->collate;";

	dbDelta($sql);
}

create_payment_info_table();
0

#2 Створення довільної таблиці у базі даних

Таблиця, що створюється, повинна мати префікс, який записаний в wp-config.php отримати його можна ось так з об’єкта класу $wpdb->get_blog_prefix()або так $wpdb->prefix. Також можна отримати кодування за замовчуванням, вказане там же: $wpdb->charset і $wpdb->collate .

function create_table() {
	Global $wpdb;

	require_once ABSPATH. 'wp-admin/includes/upgrade.php';

	$table_name = $wpdb->get_blog_prefix() . 'test_table';
	$charset_collate = $wpdb->get_charset_collate();

	$sql = "CREATE TABLE {$table_name} (
	id bigint(20) unsigned NOT NULL auto_increment,
	address varchar(255) NOT NULL default '',
	alert varchar(20) NOT NULL default '',
	meta longtext NOT NULL default '',
	PRIMARY KEY (id),
	KEY alert (alert)
	)
	{$charset_collate};";

	dbDelta($sql);
}

create_table();

Тут функція створює таблицю {префикс}test_tableмістить колонки id , address , alert та meta . id – це первинний ключ з автоінкрементом. Поле alert встановлюється як індексоване.

0

#3 Додаємо колонку до наявної таблиці

У цьому прикладі функція додає ще одну колонку таблицю з назвою ‘test_table’, функція dbDelta() дозволяє зробити це найбільш зручно.

function update_table() {
	Global $wpdb;

	require_once(ABSPATH . 'wp-admin/includes/upgrade.php');

	$table_name = $wpdb->get_blog_prefix() . 'test_table';
	$charset_collate = $wpdb->get_charset_collate();

	$sql = "CREATE TABLE {$table_name} (
	id bigint(20) unsigned NOT NULL auto_increment,
	address varchar(255) NOT NULL default '',
	alert varchar(20) NOT NULL default '',
	meta longtext NOT NULL default '',
	new_meta longtext NOT NULL default '',
	PRIMARY KEY (id),
	KEY alert (alert)
	)
	{$charset_collate};";

	dbDelta($sql);
}

update_table();

нотатки

  • Global. wpdb. $wpdb WordPress database abstraction object.

список змін

З версії 1.5.0Введено.

Код dbDelta() WP 6.0.2

function dbDelta( $queries = '', $execute = true ) { // phpcs:ignore WordPress.NamingConventions.ValidFunctionName.FunctionNameInvalid
	Global $wpdb;

	if ( in_array( $queries, array( '', 'all', 'blog', 'global', 'ms_global' ), true ) ) {
		$queries = wp_get_db_schema($ queries);
	}

	// Separate individual queries into an array.
	if ( ! is_array ( $ queries ) ) {
		$queries = explode(';', $queries);
		$queries = array_filter( $queries );
	}

	/**
	 * Filters the dbDelta SQL queries.
	 *
	 * @ Since 3.3.0
	 *
	 * @param string[] $queries На array of dbDelta SQL queries.
	 */
	$queries = apply_filters( 'dbdelta_queries', $queries );

	$cqueries = array(); // Creation queries.
	$iqueries = array(); // Insertion queries.
	$for_update = array();

	// Create a tablename index for array ($cqueries) of queries.
	foreach ($ queries as $qry) {
		if ( preg_match( '|CREATE TABLE ([^ ]*)|', $qry, $matches ) ) {
			$cqueries[ trim( $matches[1], '`' ) ] = $qry;
			$for_update[ $matches[1] ] = 'Created table' . $ matches [1];
		} elseif ( preg_match( '|CREATE DATABASE ([^ ]*)|', $qry, $matches ) ) {
			array_unshift($ cqueries, $ qry);
		} elseif ( preg_match( '|INSERT INTO ([^ ]*)|', $qry, $matches ) ) {
			$iqueries[] = $qry;
		} elseif ( preg_match( '|UPDATE ([^ ]*)|', $qry, $matches ) ) {
			$iqueries[] = $qry;
		} else {
			// Unrecognized query type.
		}
	}

	/**
	 * Filters the dbDelta SQL Queries для створення tables and/or databases.
	 *
	 * Queries filterable via this hook contain "CREATE TABLE" або "CREATE DATABASE".
	 *
	 * @ Since 3.3.0
	 *
	 * @param string[] $cqueries На array of dbDelta create SQL queries.
	 */
	$cqueries = apply_filters( 'dbdelta_create_queries', $cqueries);

	/**
	 * Filters the dbDelta SQL Queries for inserting or updating.
	 *
	 * Queries filterable via this hook contain "INSERT INTO" або "UPDATE".
	 *
	 * @ Since 3.3.0
	 *
	 * @param string[] $iqueries На array of dbDelta insert або update SQL queries.
	 */
	$iqueries = apply_filters( 'dbdelta_insert_queries', $iqueries);

	$text_fields = array( 'tinytext', 'text', 'mediumtext', 'longtext' );
	$blob_fields = array( 'tinyblob', 'blob', 'mediumblob', 'longblob' );

	$global_tables = $wpdb->tables( 'global' );
	foreach ( $cqueries as $table => $qry ) {
		// Upgrade Global tables тільки для домашніх робіт. Не upgrade at all if conditions are not optimal.
		if ( in_array( $table, $global_tables, true ) && ! wp_should_upgrade_global_tables() ) {
			unset( $cqueries[ $table ], $for_update[ $table ] );
			continue;
		}

		// Fetch the table column structure від database.
		$suppress = $wpdb->suppress_errors();
		$tablefields = $wpdb->get_results( "DESCRIBE {$table};" );
		$wpdb->suppress_errors( $suppress );

		if ( ! $tablefields ) {
			continue;
		}

		// Clear the field and index arrays.
		$ cfields = array ();
		$indices = array();
		$indices_without_subparts = array();

		// Get all of the field names in the query from between the parentheses.
		preg_match( '|((.*))|ms', $qry, $match2 );
		$ qryline = trim ($ match2 [1]);

		// Separate field lines в an array.
		$flds = explode("n", $qryline);

		// Для кожної області line specified in the query.
		foreach ( $flds as $fld ) {
			$fld = trim( $fld, "tnrx0B,"); // Default trim characters, plus ','.

			// Extract the field name.
			preg_match('|^([^]*)|', $fld, $fvals);
			$fieldname = trim($fvals[1], ''');
			$fieldname_lowercased = strtolower( $fieldname );

			// Verify the found field name.
			$validfield = true;
			switch ( $fieldname_lowercased ) {
				case '':
				case 'primary':
				case 'index':
				case 'fulltext':
				case 'unique':
				case 'key':
				case 'spatial':
					$validfield = false;

					/*
					 * Normalize the index definition.
					 *
					 * This is done so the definition can be compared against the result of a
					 * `SHOW INDEX FROM $table_name` query which returns the current table
					 * index information.
					 */

					// Extract type, name і columns від definition.
					// phpcs:disable Squiz.Strings.ConcatenationSpacing.PaddingFound -- don't remove regex indentation
					preg_match(
						'/^'
						. '(?P<index_type>' // 1) Type of the index.
						. 'PRIMARYs+KEY|(?:UNIQUE|FULLTEXT|SPATIAL)s+(?:KEY|INDEX)|KEY|INDEX'
						. ')'
						. 's+' // Followed by at least one white space character.
						. '(?:' // Name of the index. Optional if type is PRIMARY KEY.
						. ''?' // Name can be escaped with a backtick.
						. '(?P<index_name>' // 2) Name of the index.
						. '(?:[0-9a-zA-Z$_-]|[xC2-xDF][x80-xBF])+'
						. ')'
						. ''?' // Name can be escaped with a backtick.
						. 's+' // Followed by at least one white space character.
						. ')*'
						. '' // Opening bracket for the columns.
						. '(?P<index_columns>'
						. '.+?' // 3) Column names, index prefixes, і orders.
						. ')'
						. ')' // Closing bracket for the columns.
						. '$/im',
						$fld,
						$index_matches
					);
					// phpcs:enable

					/ / Uppercase index typ і normalize space characters.
					$index_type = strtoupper( preg_replace( '/s+/', '', trim( $index_matches['index_type'] ) ) ));

					// 'INDEX' є synonym for 'KEY', standardize on 'KEY'.
					$index_type = str_replace( 'INDEX', 'KEY', $index_type );

					// Escape the index name with backticks. Індекс для основного key не має назву.
					$index_name = ( 'PRIMARY KEY' === $index_type ) ? '': '''. strtolower( $index_matches['index_name'] ) . ''';

					// Parse the columns. Multiple columns are separated by a comma.
					$index_columns = array_map( 'trim', explode( ',', $index_matches['index_columns'] ) );
					$index_columns_without_subparts = $index_columns;

					// Normalize columns.
					foreach ( $index_columns as $id => &$index_column ) {
						/ / Extract column name і number of indexed characters (sub_part).
						preg_match(
							'/'
							. ''?' // Name can be escaped with a backtick.
							. '(?P<column_name>' // 1) Name of the column.
							. '(?:[0-9a-zA-Z$_-]|[xC2-xDF][x80-xBF])+'
							. ')'
							. ''?' // Name can be escaped with a backtick.
							. '(?:'// Optional sub part.
							. 's*' // Optional white space character між name і opening bracket.
							. '' // Opening bracket for the sub part.
							. 's*' // Optional white space character after opening bracket.
							. '(?P<sub_part>'
							. 'd+' // 2) Number of indexed characters.
							. ')'
							. 's*' // Optional white space character before closing bracket.
							. ')' // Closing bracket for the sub part.
							. ')?'
							. '/',
							$index_column,
							$index_column_matches
						);

						// Escape the column name with backticks.
						$index_column = '''. $index_column_matches['column_name'] . ''';

						// Ви не повинні додати до subpart до $index_columns_without_subparts
						$index_columns_without_subparts[$id] = $index_column;

						// Використовується опційна сукупність частини з номером indexed characters.
						if ( isset( $index_column_matches['sub_part'] ) ) {
							$index_column .= '(' . $index_column_matches['sub_part'] . ')';
						}
					}

					// Build the normalized index definition and add it to the list of indices.
					$indices[] = "{$index_type} {$index_name} (" . implode( ',', $index_columns ) . ')';
					$indices_without_subparts[] = "{$index_type} {$index_name} (" . implode( ',', $index_columns_without_subparts ) . ')';

					// Destroy no longer необхідні variables.
					unset( $index_column, $index_column_matches, $index_matches, $index_type, $index_name, $index_columns, $index_columns_without_subparts );

					break;
			}

			// If it's a valid field, add it до field array.
			if ($validfield) {
				$cfields[ $fieldname_lowercased ] = $fld;
			}
		}

		// For every field in the table.
		foreach ( $tablefields as $tablefield ) {
			$tablefield_field_lowercased = strtolower( $tablefield->Field );
			$tablefield_type_lowercased = strtolower( $tablefield->Type );

			// If the table field exists in the field array...
			if ( array_key_exists( $tablefield_field_lowercased, $cfields ) ) {

				// Get the field type from the query.
				preg_match( '|`?' . $tablefield->Field . '`? ([^ ]*( unsigned)?)|i', $cfields[ $tablefield_field_lowercased ], $matches );
				$fieldtype = $ matches [1];
				$fieldtype_lowercased = strtolower( $fieldtype );

				// Is actual field type different from the field type in query?
				if ( $tablefield->Type != $fieldtype ) {
					$ do_change = true;
					if ( in_array( $fieldtype_lowercased, $text_fields, true ) && in_array( $tablefield_type_lowercased, $text_fields, true ) ) {
						if ( array_search( $fieldtype_lowercased, $text_fields, true ) < array_search( $tablefield_type_lowercased, $text_fields, true ) ) {
							$do_change = false;
						}
					}

					if ( in_array( $fieldtype_lowercased, $blob_fields, true ) && in_array( $tablefield_type_lowercased, $blob_fields, true ) ) {
						if ( array_search( $fieldtype_lowercased, $blob_fields, true ) < array_search( $tablefield_type_lowercased, $blob_fields, true ) ) {
							$do_change = false;
						}
					}

					if ( $do_change ) {
						// Add a query to change the column type.
						$cqueries[] = "ALTER TABLE {$table} CHANGE COLUMN `{$tablefield->Field}` " . $cfields[$tablefield_field_lowercased];

						$for_update[ $table . '.' . $tablefield->Field ] = "Changed type of {$table}.{$tablefield->Field} from {$tablefield->Type} to {$fieldtype}";
					}
				}

				// Get the default value from the array.
				if ( preg_match( "| DEFAULT '(.*?)'|i", $cfields[ $tablefield_field_lowercased ], $matches ) ) {
					$default_value = $matches[1];
					if ( $tablefield->Default != $default_value ) {
						// Add a query to change the column's default value
						$cqueries[] = "ALTER TABLE {$table} ALTER COLUMN `{$tablefield->Field}` SET DEFAULT '{$default_value}'";

						$for_update[ $table . '.' . $tablefield->Field ] = "Changed default value of {$table}.{$tablefield->Field} from {$tablefield->Default} to {$default_value}";
					}
				}

				// Remove the field from the array (so it's not added).
				unset( $cfields[ $tablefield_field_lowercased ] );
			} else {
				// Це поле exists в table, але не в creation queries?
			}
		}

		/ / Для кожної основної області specified for the table.
		foreach ( $cfields as $fieldname => $fielddef ) {
			// Push a query line в $cqueries, що adds the field to table.
			$cqueries[] = "ALTER TABLE {$table} ADD COLUMN $fielddef";

			$for_update[ $table . '.' . $fieldname] = 'Added column'. $table. '.' . $fieldname;
		}

		// Index stuff goes here. Використовуйте table index structure від database.
		$tableindices = $wpdb->get_results( "SHOW INDEX FROM {$table};" );

		if ($tableindices) {
			// Clear the index array.
			$index_ary = array();

			// For every index in the table.
			foreach ( $tableindices as $tableindex ) {
				$keyname = strtolower( $tableindex->Key_name );

				// Add the index до index data array.
				$index_ary[ $keyname ]['columns'][] = array(
					'fieldname' => $tableindex->Column_name,
					'subpart' => $tableindex->Sub_part,
				);
				$index_ary[ $keyname ]['unique'] = ( 0 == $tableindex->Non_unique ) ? true: false;
				$index_ary[ $keyname ]['index_type'] = $tableindex->Index_type;
			}

			// Для кожного поточного index в index array.
			foreach ( $index_ary as $index_name => $index_data ) {

				// Build a create string to compare to the query.
				$index_string = '';
				if ( 'primary' === $index_name ) {
					$index_string .= 'PRIMARY';
				} elseif ( $index_data['unique'] ) {
					$index_string .= 'UNIQUE';
				}
				if ( 'FULLTEXT' === strtoupper( $index_data['index_type'] ) ) {
					$index_string .= 'FULLTEXT';
				}
				if ( 'SPATIAL' === strtoupper( $index_data['index_type'] ) ) {
					$index_string .= 'SPATIAL';
				}
				$index_string .= 'KEY';
				if ( 'primary' !== $index_name ) {
					$index_string .= ''' . $index_name. ''';
				}
				$index_columns = '';

				// Для кожного columnа в індексі.
				foreach ( $index_data['columns'] as $column_data ) {
					if ( '' !== $index_columns ) {
						$index_columns .= ',';
					}

					// Add the field до column list string.
					$index_columns .= ''' . $column_data['fieldname'] . ''';
				}

				// Add the column list to the index create string.
				$index_string .= "($index_columns)";

				// Check if the index definition exists, ignoring subparts.
				$ aindex = array_search ($ index_string, $ indices_without_subparts, true);
				if ( false !== $aindex ) {
					// Якщо index є всі exists (even with different subparts), ми не потрібні для створення його.
					unset($indices_without_subparts[$aindex]]);
					unset($indices[$aindex]]);
				}
			}
		}

		/ / Для кожного remaining index specified for the table.
		foreach ((array) $indices as $index) {
			// Push a query line в $cqueries, що adds the index to table.
			$cqueries[] = "ALTER TABLE {$table} ADD $index";

			$for_update[] = 'Added index'. $table. ''. $ index;
		}

		// Remove original table creation query from processing.
		unset( $cqueries[ $table ], $for_update[ $table ] );
	}

	$allqueries = array_merge($cqueries, $iqueries);
	if ($execute) {
		foreach ($ allqueries as $query) {
			$wpdb->query($query);
		}
	}

	return $for_update;
}

Залишити відповідь

Ваша e-mail адреса не оприлюднюватиметься. Обов’язкові поля позначені *