MediaWiki 1.42.0
DatabasePostgres.php
Go to the documentation of this file.
1<?php
21// Suppress UnusedPluginSuppression because Phan on PHP 7.4 and PHP 8.1 need different suppressions
22// @phan-file-suppress UnusedPluginSuppression,UnusedPluginFileSuppression
23
24namespace Wikimedia\Rdbms;
25
26use RuntimeException;
29use Wikimedia\WaitConditionLoop;
30
38 private $port;
40 private $tempSchema;
42 private $numericVersion;
43
45 private $lastResultHandle;
46
48 protected $platform;
49
55 public function __construct( array $params ) {
56 $this->port = intval( $params['port'] ?? null );
57 parent::__construct( $params );
58
59 $this->platform = new PostgresPlatform(
60 $this,
61 $this->logger,
62 $this->currentDomain,
63 $this->errorLogger
64 );
65 $this->replicationReporter = new ReplicationReporter(
66 $params['topologyRole'],
67 $this->logger,
68 $params['srvCache']
69 );
70 }
71
72 public function getType() {
73 return 'postgres';
74 }
75
76 protected function open( $server, $user, $password, $db, $schema, $tablePrefix ) {
77 if ( !function_exists( 'pg_connect' ) ) {
79 "Postgres functions missing, have you compiled PHP with the --with-pgsql\n" .
80 "option? (Note: if you recently installed PHP, you may need to restart your\n" .
81 "webserver and database)"
82 );
83 }
84
85 $this->close( __METHOD__ );
86
87 $connectVars = [
88 // A database must be specified in order to connect to Postgres. If $dbName is not
89 // specified, then use the standard "postgres" database that should exist by default.
90 'dbname' => ( $db !== null && $db !== '' ) ? $db : 'postgres',
91 'user' => $user,
92 'password' => $password
93 ];
94 if ( $server !== null && $server !== '' ) {
95 $connectVars['host'] = $server;
96 }
97 if ( $this->port > 0 ) {
98 $connectVars['port'] = $this->port;
99 }
100 if ( $this->ssl ) {
101 $connectVars['sslmode'] = 'require';
102 }
103 $connectString = $this->makeConnectionString( $connectVars );
104
105 $this->installErrorHandler();
106 try {
107 $this->conn = pg_connect( $connectString, PGSQL_CONNECT_FORCE_NEW ) ?: null;
108 } catch ( RuntimeException $e ) {
109 $this->restoreErrorHandler();
110 throw $this->newExceptionAfterConnectError( $e->getMessage() );
111 }
112 $error = $this->restoreErrorHandler();
113
114 if ( !$this->conn ) {
115 throw $this->newExceptionAfterConnectError( $error ?: $this->lastError() );
116 }
117
118 try {
119 // Since no transaction is active at this point, any SET commands should apply
120 // for the entire session (e.g. will not be reverted on transaction rollback).
121 // See https://www.postgresql.org/docs/8.3/sql-set.html
122 $variables = [
123 'client_encoding' => 'UTF8',
124 'datestyle' => 'ISO, YMD',
125 'timezone' => 'GMT',
126 'standard_conforming_strings' => 'on',
127 'bytea_output' => 'escape',
128 'client_min_messages' => 'ERROR'
129 ];
130 foreach ( $variables as $var => $val ) {
131 $sql = 'SET ' . $this->platform->addIdentifierQuotes( $var ) . ' = ' . $this->addQuotes( $val );
132 $query = new Query( $sql, self::QUERY_NO_RETRY | self::QUERY_CHANGE_TRX, 'SET' );
133 $this->query( $query, __METHOD__ );
134 }
135 $this->determineCoreSchema( $schema );
136 $this->currentDomain = new DatabaseDomain( $db, $schema, $tablePrefix );
137 $this->platform->setCurrentDomain( $this->currentDomain );
138 } catch ( RuntimeException $e ) {
139 throw $this->newExceptionAfterConnectError( $e->getMessage() );
140 }
141 }
142
143 public function databasesAreIndependent() {
144 return true;
145 }
146
147 public function doSelectDomain( DatabaseDomain $domain ) {
148 $database = $domain->getDatabase();
149 if ( $database === null ) {
150 // A null database means "don't care" so leave it as is and update the table prefix
151 $this->currentDomain = new DatabaseDomain(
152 $this->currentDomain->getDatabase(),
153 $domain->getSchema() ?? $this->currentDomain->getSchema(),
154 $domain->getTablePrefix()
155 );
156 $this->platform->setCurrentDomain( $this->currentDomain );
157 } elseif ( $this->getDBname() !== $database ) {
158 // Postgres doesn't support selectDB in the same way MySQL does.
159 // So if the DB name doesn't match the open connection, open a new one
160 $this->open(
161 $this->connectionParams[self::CONN_HOST],
162 $this->connectionParams[self::CONN_USER],
163 $this->connectionParams[self::CONN_PASSWORD],
164 $database,
165 $domain->getSchema(),
166 $domain->getTablePrefix()
167 );
168 } else {
169 $this->currentDomain = $domain;
170 $this->platform->setCurrentDomain( $this->currentDomain );
171 }
172
173 return true;
174 }
175
180 private function makeConnectionString( $vars ) {
181 $s = '';
182 foreach ( $vars as $name => $value ) {
183 $s .= "$name='" . str_replace( [ "\\", "'" ], [ "\\\\", "\\'" ], $value ) . "' ";
184 }
185
186 return $s;
187 }
188
189 protected function closeConnection() {
190 return $this->conn ? pg_close( $this->conn ) : true;
191 }
192
193 public function doSingleStatementQuery( string $sql ): QueryStatus {
194 $conn = $this->getBindingHandle();
195
196 $sql = mb_convert_encoding( $sql, 'UTF-8' );
197 // Clear any previously left over result
198 while ( $priorRes = pg_get_result( $conn ) ) {
199 pg_free_result( $priorRes );
200 }
201
202 if ( pg_send_query( $conn, $sql ) === false ) {
203 throw new DBUnexpectedError( $this, "Unable to post new query to PostgreSQL\n" );
204 }
205
206 // Newer PHP versions use PgSql\Result instead of resource variables
207 // https://www.php.net/manual/en/function.pg-get-result.php
208 $pgRes = pg_get_result( $conn );
209 // Phan on PHP 7.4 and PHP 8.1 need different suppressions
210 // @phan-suppress-next-line PhanTypeMismatchProperty,PhanTypeMismatchPropertyProbablyReal
211 $this->lastResultHandle = $pgRes;
212 $res = pg_result_error( $pgRes ) ? false : $pgRes;
213
214 return new QueryStatus(
215 // @phan-suppress-next-line PhanTypeMismatchArgument
216 is_bool( $res ) ? $res : new PostgresResultWrapper( $this, $conn, $res ),
217 $pgRes ? pg_affected_rows( $pgRes ) : 0,
218 $this->lastError(),
219 $this->lastErrno()
220 );
221 }
222
223 protected function dumpError() {
224 $diags = [
225 PGSQL_DIAG_SEVERITY,
226 PGSQL_DIAG_SQLSTATE,
227 PGSQL_DIAG_MESSAGE_PRIMARY,
228 PGSQL_DIAG_MESSAGE_DETAIL,
229 PGSQL_DIAG_MESSAGE_HINT,
230 PGSQL_DIAG_STATEMENT_POSITION,
231 PGSQL_DIAG_INTERNAL_POSITION,
232 PGSQL_DIAG_INTERNAL_QUERY,
233 PGSQL_DIAG_CONTEXT,
234 PGSQL_DIAG_SOURCE_FILE,
235 PGSQL_DIAG_SOURCE_LINE,
236 PGSQL_DIAG_SOURCE_FUNCTION
237 ];
238 foreach ( $diags as $d ) {
239 $this->logger->debug( sprintf( "PgSQL ERROR(%d): %s",
240 // @phan-suppress-next-line PhanTypeMismatchArgumentInternal
241 $d, pg_result_error_field( $this->lastResultHandle, $d ) ) );
242 }
243 }
244
245 protected function lastInsertId() {
246 // Avoid using query() to prevent unwanted side-effects like changing affected
247 // row counts or connection retries. Note that lastval() is connection-specific.
248 // Note that this causes "lastval is not yet defined in this session" errors if
249 // nextval() was never directly or implicitly triggered (error out any transaction).
250 $qs = $this->doSingleStatementQuery( "SELECT lastval() AS id" );
251
252 return $qs->res ? (int)$qs->res->fetchRow()['id'] : 0;
253 }
254
255 public function lastError() {
256 if ( $this->conn ) {
257 if ( $this->lastResultHandle ) {
258 // @phan-suppress-next-line PhanTypeMismatchArgumentInternal
259 return pg_result_error( $this->lastResultHandle );
260 } else {
261 return pg_last_error() ?: $this->lastConnectError;
262 }
263 }
264
265 return $this->getLastPHPError() ?: 'No database connection';
266 }
267
268 public function lastErrno() {
269 if ( $this->lastResultHandle ) {
270 // @phan-suppress-next-line PhanTypeMismatchArgumentInternal
271 $lastErrno = pg_result_error_field( $this->lastResultHandle, PGSQL_DIAG_SQLSTATE );
272 if ( $lastErrno !== false ) {
273 return $lastErrno;
274 }
275 }
276
277 return '00000';
278 }
279
295 public function estimateRowCount( $table, $var = '*', $conds = '',
296 $fname = __METHOD__, $options = [], $join_conds = []
297 ) {
298 $conds = $this->platform->normalizeConditions( $conds, $fname );
299 $column = $this->platform->extractSingleFieldFromList( $var );
300 if ( is_string( $column ) && !in_array( $column, [ '*', '1' ] ) ) {
301 $conds[] = "$column IS NOT NULL";
302 }
303
304 $options['EXPLAIN'] = true;
305 $res = $this->select( $table, $var, $conds, $fname, $options, $join_conds );
306 $rows = -1;
307 if ( $res ) {
308 $row = $res->fetchRow();
309 $count = [];
310 if ( preg_match( '/rows=(\d+)/', $row[0], $count ) ) {
311 $rows = (int)$count[1];
312 }
313 }
314
315 return $rows;
316 }
317
318 public function indexInfo( $table, $index, $fname = __METHOD__ ) {
319 $query = new Query(
320 "SELECT indexname FROM pg_indexes WHERE tablename='$table'",
321 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
322 'SELECT'
323 );
324 $res = $this->query( $query );
325 if ( !$res ) {
326 return null;
327 }
328 foreach ( $res as $row ) {
329 if ( $row->indexname == $this->platform->indexName( $index ) ) {
330 return $row;
331 }
332 }
333
334 return false;
335 }
336
337 public function indexAttributes( $index, $schema = false ) {
338 if ( $schema === false ) {
339 $schemas = $this->getCoreSchemas();
340 } else {
341 $schemas = [ $schema ];
342 }
343
344 $eindex = $this->addQuotes( $index );
345
346 $flags = self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE;
347 foreach ( $schemas as $schema ) {
348 $eschema = $this->addQuotes( $schema );
349 /*
350 * A subquery would be not needed if we didn't care about the order
351 * of attributes, but we do
352 */
353 $sql = <<<__INDEXATTR__
354
355 SELECT opcname,
356 attname,
357 i.indoption[s.g] as option,
358 pg_am.amname
359 FROM
360 (SELECT generate_series(array_lower(isub.indkey,1), array_upper(isub.indkey,1)) AS g
361 FROM
362 pg_index isub
363 JOIN pg_class cis
364 ON cis.oid=isub.indexrelid
365 JOIN pg_namespace ns
366 ON cis.relnamespace = ns.oid
367 WHERE cis.relname=$eindex AND ns.nspname=$eschema) AS s,
368 pg_attribute,
369 pg_opclass opcls,
370 pg_am,
371 pg_class ci
372 JOIN pg_index i
373 ON ci.oid=i.indexrelid
374 JOIN pg_class ct
375 ON ct.oid = i.indrelid
376 JOIN pg_namespace n
377 ON ci.relnamespace = n.oid
378 WHERE
379 ci.relname=$eindex AND n.nspname=$eschema
380 AND attrelid = ct.oid
381 AND i.indkey[s.g] = attnum
382 AND i.indclass[s.g] = opcls.oid
383 AND pg_am.oid = opcls.opcmethod
384__INDEXATTR__;
385 $query = new Query( $sql, $flags, 'SELECT' );
386 $res = $this->query( $query, __METHOD__ );
387 $a = [];
388 if ( $res ) {
389 foreach ( $res as $row ) {
390 $a[] = [
391 $row->attname,
392 $row->opcname,
393 $row->amname,
394 $row->option ];
395 }
396 return $a;
397 }
398 }
399 return null;
400 }
401
402 public function indexUnique( $table, $index, $fname = __METHOD__ ) {
403 $sql = "SELECT indexname FROM pg_indexes WHERE tablename='{$table}'" .
404 " AND indexdef LIKE 'CREATE UNIQUE%(" .
405 $this->strencode( $this->platform->indexName( $index ) ) .
406 ")'";
407 $query = new Query( $sql, self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE, 'SELECT' );
408 $res = $this->query( $query, $fname );
409 return $res && $res->numRows() > 0;
410 }
411
430 protected function doInsertSelectNative(
431 $destTable,
432 $srcTable,
433 array $varMap,
434 $conds,
435 $fname,
436 array $insertOptions,
437 array $selectOptions,
438 $selectJoinConds
439 ) {
440 if ( in_array( 'IGNORE', $insertOptions ) ) {
441 // Use "ON CONFLICT DO" if we have it for IGNORE
442 $destTableEnc = $this->tableName( $destTable );
443
444 $selectSql = $this->selectSQLText(
445 $srcTable,
446 array_values( $varMap ),
447 $conds,
448 $fname,
449 $selectOptions,
450 $selectJoinConds
451 );
452
453 $sql = "INSERT INTO $destTableEnc (" . implode( ',', array_keys( $varMap ) ) . ') ' .
454 $selectSql . ' ON CONFLICT DO NOTHING';
455 $query = new Query( $sql, self::QUERY_CHANGE_ROWS, 'INSERT', $destTable );
456 $this->query( $query, $fname );
457 } else {
458 parent::doInsertSelectNative( $destTable, $srcTable, $varMap, $conds, $fname,
459 $insertOptions, $selectOptions, $selectJoinConds );
460 }
461 }
462
463 public function nextSequenceValue( $seqName ) {
464 return new NextSequenceValue;
465 }
466
471 public function getValueTypesForWithClause( $table ) {
472 $typesByColumn = [];
473
474 $flags = self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE;
475 $encTable = $this->addQuotes( $table );
476 foreach ( $this->getCoreSchemas() as $schema ) {
477 $encSchema = $this->addQuotes( $schema );
478 $sql = "SELECT column_name,udt_name " .
479 "FROM information_schema.columns " .
480 "WHERE table_name = $encTable AND table_schema = $encSchema";
481 $query = new Query( $sql, $flags, 'SELECT' );
482 $res = $this->query( $query, __METHOD__ );
483 if ( $res->numRows() ) {
484 foreach ( $res as $row ) {
485 $typesByColumn[$row->column_name] = $row->udt_name;
486 }
487 break;
488 }
489 }
490
491 return $typesByColumn;
492 }
493
494 public function textFieldSize( $table, $field ) {
495 $flags = self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE;
496 $encTable = $this->tableName( $table );
497 $sql = "SELECT t.typname as ftype,a.atttypmod as size
498 FROM pg_class c, pg_attribute a, pg_type t
499 WHERE relname='$encTable' AND a.attrelid=c.oid AND
500 a.atttypid=t.oid and a.attname='$field'";
501 $query = new Query( $sql, $flags, 'SELECT' );
502 $res = $this->query( $query, __METHOD__ );
503 $row = $res->fetchObject();
504 if ( $row->ftype == 'varchar' ) {
505 $size = $row->size - 4;
506 } else {
507 $size = $row->size;
508 }
509
510 return $size;
511 }
512
513 public function wasDeadlock() {
514 // https://www.postgresql.org/docs/9.2/static/errcodes-appendix.html
515 return $this->lastErrno() === '40P01';
516 }
517
518 protected function isConnectionError( $errno ) {
519 // https://www.postgresql.org/docs/9.2/static/errcodes-appendix.html
520 static $codes = [ '08000', '08003', '08006', '08001', '08004', '57P01', '57P03', '53300' ];
521
522 return in_array( $errno, $codes, true );
523 }
524
525 protected function isQueryTimeoutError( $errno ) {
526 // https://www.postgresql.org/docs/9.2/static/errcodes-appendix.html
527 return ( $errno === '57014' );
528 }
529
530 protected function isKnownStatementRollbackError( $errno ) {
531 return false; // transaction has to be rolled-back from error state
532 }
533
534 public function duplicateTableStructure(
535 $oldName, $newName, $temporary = false, $fname = __METHOD__
536 ) {
537 $newNameE = $this->platform->addIdentifierQuotes( $newName );
538 $oldNameE = $this->platform->addIdentifierQuotes( $oldName );
539
540 $temporary = $temporary ? 'TEMPORARY' : '';
541 $query = new Query(
542 "CREATE $temporary TABLE $newNameE " .
543 "(LIKE $oldNameE INCLUDING DEFAULTS INCLUDING INDEXES)",
544 self::QUERY_PSEUDO_PERMANENT | self::QUERY_CHANGE_SCHEMA,
545 $temporary ? 'CREATE TEMPORARY' : 'CREATE',
546 // Use a dot to avoid double-prefixing in Database::getTempTableWrites()
547 '.' . $newName
548 );
549 $ret = $this->query( $query, $fname );
550 if ( !$ret ) {
551 return $ret;
552 }
553
554 $sql = 'SELECT attname FROM pg_class c'
555 . ' JOIN pg_namespace n ON (n.oid = c.relnamespace)'
556 . ' JOIN pg_attribute a ON (a.attrelid = c.oid)'
557 . ' JOIN pg_attrdef d ON (c.oid=d.adrelid and a.attnum=d.adnum)'
558 . ' WHERE relkind = \'r\''
559 . ' AND nspname = ' . $this->addQuotes( $this->getCoreSchema() )
560 . ' AND relname = ' . $this->addQuotes( $oldName )
561 . ' AND pg_get_expr(adbin, adrelid) LIKE \'nextval(%\'';
562 $query = new Query(
563 $sql,
564 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
565 'SELECT'
566 );
567
568 $res = $this->query( $query, $fname );
569 $row = $res->fetchObject();
570 if ( $row ) {
571 $field = $row->attname;
572 $newSeq = "{$newName}_{$field}_seq";
573 $fieldE = $this->platform->addIdentifierQuotes( $field );
574 $newSeqE = $this->platform->addIdentifierQuotes( $newSeq );
575 $newSeqQ = $this->addQuotes( $newSeq );
576 $query = new Query(
577 "CREATE $temporary SEQUENCE $newSeqE OWNED BY $newNameE.$fieldE",
578 self::QUERY_CHANGE_SCHEMA,
579 'CREATE',
580 // Do not treat this is as a table modification on top of the CREATE above.
581 null
582 );
583 $this->query( $query, $fname );
584 $query = new Query(
585 "ALTER TABLE $newNameE ALTER COLUMN $fieldE SET DEFAULT nextval({$newSeqQ}::regclass)",
586 self::QUERY_CHANGE_SCHEMA,
587 'ALTER',
588 // Do not treat this is as a table modification on top of the CREATE above.
589 null
590 );
591 $this->query( $query, $fname );
592 }
593
594 return $ret;
595 }
596
597 public function truncateTable( $table, $fname = __METHOD__ ) {
598 $sql = "TRUNCATE TABLE " . $this->tableName( $table ) . " RESTART IDENTITY";
599 $query = new Query( $sql, self::QUERY_CHANGE_SCHEMA, 'TRUNCATE', $table );
600 $this->query( $query, $fname );
601 }
602
609 public function listTables( $prefix = '', $fname = __METHOD__ ) {
610 $eschemas = implode( ',', array_map( [ $this, 'addQuotes' ], $this->getCoreSchemas() ) );
611 $query = new Query(
612 "SELECT DISTINCT tablename FROM pg_tables WHERE schemaname IN ($eschemas)",
613 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
614 'SELECT'
615 );
616 $result = $this->query( $query, $fname );
617 $endArray = [];
618
619 foreach ( $result as $table ) {
620 $vars = get_object_vars( $table );
621 $table = array_pop( $vars );
622 if ( $prefix == '' || strpos( $table, $prefix ) === 0 ) {
623 $endArray[] = $table;
624 }
625 }
626
627 return $endArray;
628 }
629
648 private function pg_array_parse( $text, &$output, $limit = false, $offset = 1 ) {
649 if ( $limit === false ) {
650 $limit = strlen( $text ) - 1;
651 $output = [];
652 }
653 if ( $text == '{}' ) {
654 return $output;
655 }
656 do {
657 if ( $text[$offset] != '{' ) {
658 preg_match( "/(\\{?\"([^\"\\\\]|\\\\.)*\"|[^,{}]+)+([,}]+)/",
659 $text, $match, 0, $offset );
660 $offset += strlen( $match[0] );
661 $output[] = ( $match[1][0] != '"'
662 ? $match[1]
663 : stripcslashes( substr( $match[1], 1, -1 ) ) );
664 if ( $match[3] == '},' ) {
665 return $output;
666 }
667 } else {
668 $offset = $this->pg_array_parse( $text, $output, $limit, $offset + 1 );
669 }
670 } while ( $limit > $offset );
671
672 return $output;
673 }
674
675 public function getSoftwareLink() {
676 return '[{{int:version-db-postgres-url}} PostgreSQL]';
677 }
678
686 public function getCurrentSchema() {
687 $query = new Query(
688 "SELECT current_schema()",
689 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
690 'SELECT'
691 );
692 $res = $this->query( $query, __METHOD__ );
693 $row = $res->fetchRow();
694
695 return $row[0];
696 }
697
708 public function getSchemas() {
709 $query = new Query(
710 "SELECT current_schemas(false)",
711 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
712 'SELECT'
713 );
714 $res = $this->query( $query, __METHOD__ );
715 $row = $res->fetchRow();
716 $schemas = [];
717
718 /* PHP pgsql support does not support array type, "{a,b}" string is returned */
719
720 return $this->pg_array_parse( $row[0], $schemas );
721 }
722
732 public function getSearchPath() {
733 $query = new Query(
734 "SHOW search_path",
735 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
736 'SHOW'
737 );
738 $res = $this->query( $query, __METHOD__ );
739 $row = $res->fetchRow();
740
741 /* PostgreSQL returns SHOW values as strings */
742
743 return explode( ",", $row[0] );
744 }
745
753 private function setSearchPath( $search_path ) {
754 $query = new Query(
755 "SET search_path = " . implode( ", ", $search_path ),
756 self::QUERY_CHANGE_TRX,
757 'SET'
758 );
759 $this->query( $query, __METHOD__ );
760 }
761
776 public function determineCoreSchema( $desiredSchema ) {
777 if ( $this->trxLevel() ) {
778 // We do not want the schema selection to change on ROLLBACK or INSERT SELECT.
779 // See https://www.postgresql.org/docs/8.3/sql-set.html
780 throw new DBUnexpectedError(
781 $this,
782 __METHOD__ . ": a transaction is currently active"
783 );
784 }
785
786 if ( $this->schemaExists( $desiredSchema ) ) {
787 if ( in_array( $desiredSchema, $this->getSchemas() ) ) {
788 $this->platform->setCoreSchema( $desiredSchema );
789 $this->logger->debug(
790 "Schema \"" . $desiredSchema . "\" already in the search path\n" );
791 } else {
792 // Prepend the desired schema to the search path (T17816)
793 $search_path = $this->getSearchPath();
794 array_unshift( $search_path, $this->platform->addIdentifierQuotes( $desiredSchema ) );
795 $this->setSearchPath( $search_path );
796 $this->platform->setCoreSchema( $desiredSchema );
797 $this->logger->debug(
798 "Schema \"" . $desiredSchema . "\" added to the search path\n" );
799 }
800 } else {
801 $this->platform->setCoreSchema( $this->getCurrentSchema() );
802 $this->logger->debug(
803 "Schema \"" . $desiredSchema . "\" not found, using current \"" .
804 $this->getCoreSchema() . "\"\n" );
805 }
806 }
807
814 public function getCoreSchema() {
815 return $this->platform->getCoreSchema();
816 }
817
824 public function getCoreSchemas() {
825 if ( $this->tempSchema ) {
826 return [ $this->tempSchema, $this->getCoreSchema() ];
827 }
828 $query = new Query(
829 "SELECT nspname FROM pg_catalog.pg_namespace n WHERE n.oid = pg_my_temp_schema()",
830 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
831 'SELECT'
832 );
833 $res = $this->query( $query, __METHOD__ );
834 $row = $res->fetchObject();
835 if ( $row ) {
836 $this->tempSchema = $row->nspname;
837 return [ $this->tempSchema, $this->getCoreSchema() ];
838 }
839
840 return [ $this->getCoreSchema() ];
841 }
842
843 public function getServerVersion() {
844 if ( !isset( $this->numericVersion ) ) {
845 // Works on PG 7.4+
846 $this->numericVersion = pg_version( $this->getBindingHandle() )['server'];
847 }
848
849 return $this->numericVersion;
850 }
851
860 private function relationExists( $table, $types, $schema = false ) {
861 if ( !is_array( $types ) ) {
862 $types = [ $types ];
863 }
864 if ( $schema === false ) {
865 $schemas = $this->getCoreSchemas();
866 } else {
867 $schemas = [ $schema ];
868 }
869 $table = $this->tableName( $table, 'raw' );
870 $etable = $this->addQuotes( $table );
871 foreach ( $schemas as $schema ) {
872 $eschema = $this->addQuotes( $schema );
873 $sql = "SELECT 1 FROM pg_catalog.pg_class c, pg_catalog.pg_namespace n "
874 . "WHERE c.relnamespace = n.oid AND c.relname = $etable AND n.nspname = $eschema "
875 . "AND c.relkind IN ('" . implode( "','", $types ) . "')";
876 $query = new Query(
877 $sql,
878 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
879 'SELECT'
880 );
881 $res = $this->query( $query, __METHOD__ );
882 if ( $res && $res->numRows() ) {
883 return true;
884 }
885 }
886
887 return false;
888 }
889
897 public function tableExists( $table, $fname = __METHOD__, $schema = false ) {
898 return $this->relationExists( $table, [ 'r', 'v' ], $schema );
899 }
900
901 public function sequenceExists( $sequence, $schema = false ) {
902 return $this->relationExists( $sequence, 'S', $schema );
903 }
904
905 public function constraintExists( $table, $constraint ) {
906 foreach ( $this->getCoreSchemas() as $schema ) {
907 $sql = sprintf( "SELECT 1 FROM information_schema.table_constraints " .
908 "WHERE constraint_schema = %s AND table_name = %s AND constraint_name = %s",
909 $this->addQuotes( $schema ),
910 $this->addQuotes( $table ),
911 $this->addQuotes( $constraint )
912 );
913 $query = new Query(
914 $sql,
915 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
916 'SELECT'
917 );
918 $res = $this->query( $query, __METHOD__ );
919 if ( $res && $res->numRows() ) {
920 return true;
921 }
922 }
923 return false;
924 }
925
931 public function schemaExists( $schema ) {
932 if ( !strlen( $schema ?? '' ) ) {
933 return false; // short-circuit
934 }
935 $query = new Query(
936 "SELECT 1 FROM pg_catalog.pg_namespace " .
937 "WHERE nspname = " . $this->addQuotes( $schema ) . " LIMIT 1",
938 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
939 'SELECT'
940 );
941 $res = $this->query( $query, __METHOD__ );
942
943 return ( $res->numRows() > 0 );
944 }
945
951 public function roleExists( $roleName ) {
952 $query = new Query(
953 "SELECT 1 FROM pg_catalog.pg_roles " .
954 "WHERE rolname = " . $this->addQuotes( $roleName ) . " LIMIT 1",
955 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
956 'SELECT'
957 );
958 $res = $this->query( $query, __METHOD__ );
959
960 return ( $res->numRows() > 0 );
961 }
962
968 public function fieldInfo( $table, $field ) {
969 return PostgresField::fromText( $this, $table, $field );
970 }
971
972 public function encodeBlob( $b ) {
973 $conn = $this->getBindingHandle();
974
975 return new PostgresBlob( pg_escape_bytea( $conn, $b ) );
976 }
977
978 public function decodeBlob( $b ) {
979 if ( $b instanceof PostgresBlob ) {
980 $b = $b->fetch();
981 } elseif ( $b instanceof Blob ) {
982 return $b->fetch();
983 }
984
985 return pg_unescape_bytea( $b );
986 }
987
988 public function strencode( $s ) {
989 // Should not be called by us
990 return pg_escape_string( $this->getBindingHandle(), (string)$s );
991 }
992
993 public function addQuotes( $s ) {
994 $conn = $this->getBindingHandle();
995
996 if ( $s === null ) {
997 return 'NULL';
998 } elseif ( is_bool( $s ) ) {
999 return (string)intval( $s );
1000 } elseif ( is_int( $s ) ) {
1001 return (string)$s;
1002 } elseif ( $s instanceof Blob ) {
1003 if ( $s instanceof PostgresBlob ) {
1004 $s = $s->fetch();
1005 } else {
1006 $s = pg_escape_bytea( $conn, $s->fetch() );
1007 }
1008 return "'$s'";
1009 } elseif ( $s instanceof NextSequenceValue ) {
1010 return 'DEFAULT';
1011 }
1012
1013 return "'" . pg_escape_string( $conn, (string)$s ) . "'";
1014 }
1015
1016 public function streamStatementEnd( &$sql, &$newLine ) {
1017 # Allow dollar quoting for function declarations
1018 if ( str_starts_with( $newLine, '$mw$' ) ) {
1019 if ( $this->delimiter ) {
1020 $this->delimiter = false;
1021 } else {
1022 $this->delimiter = ';';
1023 }
1024 }
1025
1026 return parent::streamStatementEnd( $sql, $newLine );
1027 }
1028
1029 public function doLockIsFree( string $lockName, string $method ) {
1030 $query = new Query(
1031 $this->platform->lockIsFreeSQLText( $lockName ),
1032 self::QUERY_CHANGE_LOCKS,
1033 'SELECT'
1034 );
1035 $res = $this->query( $query, $method );
1036 $row = $res->fetchObject();
1037
1038 return (bool)$row->unlocked;
1039 }
1040
1041 public function doLock( string $lockName, string $method, int $timeout ) {
1042 $query = new Query(
1043 $this->platform->lockSQLText( $lockName, $timeout ),
1044 self::QUERY_CHANGE_LOCKS,
1045 'SELECT'
1046 );
1047
1048 $acquired = null;
1049 $loop = new WaitConditionLoop(
1050 function () use ( $query, $method, &$acquired ) {
1051 $res = $this->query( $query, $method );
1052 $row = $res->fetchObject();
1053
1054 if ( $row->acquired !== null ) {
1055 $acquired = (float)$row->acquired;
1056
1057 return WaitConditionLoop::CONDITION_REACHED;
1058 }
1059
1060 return WaitConditionLoop::CONDITION_CONTINUE;
1061 },
1062 $timeout
1063 );
1064 $loop->invoke();
1065
1066 return $acquired;
1067 }
1068
1069 public function doUnlock( string $lockName, string $method ) {
1070 $query = new Query(
1071 $this->platform->unlockSQLText( $lockName ),
1072 self::QUERY_CHANGE_LOCKS,
1073 'SELECT'
1074 );
1075 $result = $this->query( $query, $method );
1076 $row = $result->fetchObject();
1077
1078 return (bool)$row->released;
1079 }
1080
1081 protected function doFlushSession( $fname ) {
1082 $flags = self::QUERY_CHANGE_LOCKS | self::QUERY_NO_RETRY;
1083
1084 // https://www.postgresql.org/docs/9.1/functions-admin.html
1085 $sql = "SELECT pg_advisory_unlock_all()";
1086 $query = new Query( $sql, $flags, 'UNLOCK' );
1087 $qs = $this->executeQuery( $query, __METHOD__, $flags );
1088 if ( $qs->res === false ) {
1089 $this->reportQueryError( $qs->message, $qs->code, $sql, $fname, true );
1090 }
1091 }
1092
1093 public function serverIsReadOnly() {
1094 $query = new Query(
1095 "SHOW default_transaction_read_only",
1096 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
1097 'SHOW'
1098 );
1099 $res = $this->query( $query, __METHOD__ );
1100 $row = $res->fetchObject();
1101
1102 return $row && strtolower( $row->default_transaction_read_only ) === 'on';
1103 }
1104
1105 protected function getInsertIdColumnForUpsert( $table ) {
1106 $column = null;
1107
1108 $flags = self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE;
1109 $encTable = $this->addQuotes( $this->tableName( $table, 'raw' ) );
1110 foreach ( $this->getCoreSchemas() as $schema ) {
1111 $encSchema = $this->addQuotes( $schema );
1112 $query = new Query(
1113 "SELECT column_name,data_type,column_default " .
1114 "FROM information_schema.columns " .
1115 "WHERE table_name = $encTable AND table_schema = $encSchema",
1116 self::QUERY_IGNORE_DBO_TRX | self::QUERY_CHANGE_NONE,
1117 'SELECT'
1118 );
1119 $res = $this->query( $query, __METHOD__ );
1120 if ( $res->numRows() ) {
1121 foreach ( $res as $row ) {
1122 if (
1123 $row->column_default !== null &&
1124 str_starts_with( $row->column_default, "nextval(" ) &&
1125 in_array( $row->data_type, [ 'integer', 'bigint' ], true )
1126 ) {
1127 $column = $row->column_name;
1128 }
1129 }
1130 break;
1131 }
1132 }
1133
1134 return $column;
1135 }
1136
1137 public static function getAttributes() {
1138 return [ self::ATTR_SCHEMAS_AS_TABLE_GROUPS => true ];
1139 }
1140}
array $params
The job parameters.
Class to handle database/schema/prefix specifications for IDatabase.
Postgres database abstraction layer.
truncateTable( $table, $fname=__METHOD__)
Delete all data in a table and reset any sequences owned by that table.
getCoreSchemas()
Return schema names for temporary tables and core application tables.
determineCoreSchema( $desiredSchema)
Determine default schema for the current application Adjust this session schema search path if desire...
duplicateTableStructure( $oldName, $newName, $temporary=false, $fname=__METHOD__)
Creates a new table with structure copied from existing table.
isQueryTimeoutError( $errno)
Checks whether the cause of the error is detected to be a timeout.
doLock(string $lockName, string $method, int $timeout)
indexAttributes( $index, $schema=false)
databasesAreIndependent()
Returns true if DBs are assumed to be on potentially different servers.
doUnlock(string $lockName, string $method)
doSingleStatementQuery(string $sql)
Run a query and return a QueryStatus instance with the query result information.
streamStatementEnd(&$sql, &$newLine)
Called by sourceStream() to check if we've reached a statement end.
doLockIsFree(string $lockName, string $method)
nextSequenceValue( $seqName)
Deprecated method, calls should be removed.
doSelectDomain(DatabaseDomain $domain)
roleExists( $roleName)
Returns true if a given role (i.e.
getSchemas()
Return list of schemas which are accessible without schema name This is list does not contain magic k...
indexInfo( $table, $index, $fname=__METHOD__)
Get information about an index into an object.
schemaExists( $schema)
Query whether a given schema exists.
estimateRowCount( $table, $var=' *', $conds='', $fname=__METHOD__, $options=[], $join_conds=[])
Estimate rows in dataset Returns estimated count, based on EXPLAIN output This is not necessarily an ...
lastError()
Get the RDBMS-specific error description from the last attempted query statement.
addQuotes( $s)
Escape and quote a raw value string for use in a SQL query.
sequenceExists( $sequence, $schema=false)
wasDeadlock()
Determines if the last failure was due to a deadlock.
lastErrno()
Get the RDBMS-specific error code from the last attempted query statement.
getCoreSchema()
Return schema name for core application tables.
strencode( $s)
Wrapper for addslashes()
lastInsertId()
Get a row ID from the last insert statement to implicitly assign one within the session.
isConnectionError( $errno)
Do not use this method outside of Database/DBError classes.
indexUnique( $table, $index, $fname=__METHOD__)
Determines if a given index is unique.
open( $server, $user, $password, $db, $schema, $tablePrefix)
Open a new connection to the database (closing any existing one)
getServerVersion()
A string describing the current software version.
textFieldSize( $table, $field)
Returns the size of a text field, or -1 for "unlimited".
getCurrentSchema()
Return current schema (executes SELECT current_schema()) Needs transaction.
getSearchPath()
Return search patch for schemas This is different from getSchemas() since it contain magic keywords (...
tableExists( $table, $fname=__METHOD__, $schema=false)
For backward compatibility, this function checks both tables and views.
decodeBlob( $b)
Some DBMSs return a special placeholder object representing blob fields in result objects.
encodeBlob( $b)
Some DBMSs have a special format for inserting into blob fields, they don't allow simple quoted strin...
closeConnection()
Closes underlying database connection.
constraintExists( $table, $constraint)
getType()
Get the RDBMS type of the server (e.g.
doFlushSession( $fname)
Reset the server-side session state for named locks and table locks.
listTables( $prefix='', $fname=__METHOD__)
getSoftwareLink()
Returns a wikitext style link to the DB's website (e.g.
doInsertSelectNative( $destTable, $srcTable, array $varMap, $conds, $fname, array $insertOptions, array $selectOptions, $selectJoinConds)
INSERT SELECT wrapper $varMap must be an associative array of the form [ 'dest1' => 'source1',...
serverIsReadOnly()
bool Whether this DB server is running in server-side read-only mode query} 1.28
Relational database abstraction object.
Definition Database.php:43
restoreErrorHandler()
Restore the previous error handler and return the last PHP error for this DB.
Definition Database.php:435
object resource null $conn
Database connection.
Definition Database.php:64
newExceptionAfterConnectError( $error)
installErrorHandler()
Set a custom error handler for logging errors during database connection.
Definition Database.php:424
close( $fname=__METHOD__)
Close the database connection.
Definition Database.php:487
query( $sql, $fname=__METHOD__, $flags=0)
Run an SQL query statement and return the result.
Definition Database.php:631
getBindingHandle()
Get the underlying binding connection handle.
getDBname()
Get the current database name; null if there isn't one.
Used by Database::nextSequenceValue() so Database::insert() can detect values coming from the depreca...
static fromText(DatabasePostgres $db, $table, $field)
Holds information on Query to be executed.
Definition Query.php:31