Merge "mediawiki.user: Use session ID instead of 1-year cross-session cookies"
[lhc/web/wiklou.git] / includes / db / DatabasePostgres.php
1 <?php
2 /**
3 * This is the Postgres database abstraction layer.
4 *
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
9 *
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
14 *
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
19 *
20 * @file
21 * @ingroup Database
22 */
23
24 class PostgresField implements Field {
25 private $name, $tablename, $type, $nullable, $max_length, $deferred, $deferrable, $conname,
26 $has_default, $default;
27
28 /**
29 * @param $db DatabaseBase
30 * @param $table
31 * @param $field
32 * @return null|PostgresField
33 */
34 static function fromText( $db, $table, $field ) {
35 $q = <<<SQL
36 SELECT
37 attnotnull, attlen, conname AS conname,
38 atthasdef,
39 adsrc,
40 COALESCE(condeferred, 'f') AS deferred,
41 COALESCE(condeferrable, 'f') AS deferrable,
42 CASE WHEN typname = 'int2' THEN 'smallint'
43 WHEN typname = 'int4' THEN 'integer'
44 WHEN typname = 'int8' THEN 'bigint'
45 WHEN typname = 'bpchar' THEN 'char'
46 ELSE typname END AS typname
47 FROM pg_class c
48 JOIN pg_namespace n ON (n.oid = c.relnamespace)
49 JOIN pg_attribute a ON (a.attrelid = c.oid)
50 JOIN pg_type t ON (t.oid = a.atttypid)
51 LEFT JOIN pg_constraint o ON (o.conrelid = c.oid AND a.attnum = ANY(o.conkey) AND o.contype = 'f')
52 LEFT JOIN pg_attrdef d on c.oid=d.adrelid and a.attnum=d.adnum
53 WHERE relkind = 'r'
54 AND nspname=%s
55 AND relname=%s
56 AND attname=%s;
57 SQL;
58
59 $table = $db->tableName( $table, 'raw' );
60 $res = $db->query(
61 sprintf( $q,
62 $db->addQuotes( $db->getCoreSchema() ),
63 $db->addQuotes( $table ),
64 $db->addQuotes( $field )
65 )
66 );
67 $row = $db->fetchObject( $res );
68 if ( !$row ) {
69 return null;
70 }
71 $n = new PostgresField;
72 $n->type = $row->typname;
73 $n->nullable = ( $row->attnotnull == 'f' );
74 $n->name = $field;
75 $n->tablename = $table;
76 $n->max_length = $row->attlen;
77 $n->deferrable = ( $row->deferrable == 't' );
78 $n->deferred = ( $row->deferred == 't' );
79 $n->conname = $row->conname;
80 $n->has_default = ( $row->atthasdef === 't' );
81 $n->default = $row->adsrc;
82 return $n;
83 }
84
85 function name() {
86 return $this->name;
87 }
88
89 function tableName() {
90 return $this->tablename;
91 }
92
93 function type() {
94 return $this->type;
95 }
96
97 function isNullable() {
98 return $this->nullable;
99 }
100
101 function maxLength() {
102 return $this->max_length;
103 }
104
105 function is_deferrable() {
106 return $this->deferrable;
107 }
108
109 function is_deferred() {
110 return $this->deferred;
111 }
112
113 function conname() {
114 return $this->conname;
115 }
116 /**
117 * @since 1.19
118 */
119 function defaultValue() {
120 if ( $this->has_default ) {
121 return $this->default;
122 } else {
123 return false;
124 }
125 }
126
127 }
128
129 /**
130 * Used to debug transaction processing
131 * Only used if $wgDebugDBTransactions is true
132 *
133 * @since 1.19
134 * @ingroup Database
135 */
136 class PostgresTransactionState {
137
138 static $WATCHED = array(
139 array(
140 "desc" => "%s: Connection state changed from %s -> %s\n",
141 "states" => array(
142 PGSQL_CONNECTION_OK => "OK",
143 PGSQL_CONNECTION_BAD => "BAD"
144 )
145 ),
146 array(
147 "desc" => "%s: Transaction state changed from %s -> %s\n",
148 "states" => array(
149 PGSQL_TRANSACTION_IDLE => "IDLE",
150 PGSQL_TRANSACTION_ACTIVE => "ACTIVE",
151 PGSQL_TRANSACTION_INTRANS => "TRANS",
152 PGSQL_TRANSACTION_INERROR => "ERROR",
153 PGSQL_TRANSACTION_UNKNOWN => "UNKNOWN"
154 )
155 )
156 );
157
158 public function __construct( $conn ) {
159 $this->mConn = $conn;
160 $this->update();
161 $this->mCurrentState = $this->mNewState;
162 }
163
164 public function update() {
165 $this->mNewState = array(
166 pg_connection_status( $this->mConn ),
167 pg_transaction_status( $this->mConn )
168 );
169 }
170
171 public function check() {
172 global $wgDebugDBTransactions;
173 $this->update();
174 if ( $wgDebugDBTransactions ) {
175 if ( $this->mCurrentState !== $this->mNewState ) {
176 $old = reset( $this->mCurrentState );
177 $new = reset( $this->mNewState );
178 foreach ( self::$WATCHED as $watched ) {
179 if ( $old !== $new ) {
180 $this->log_changed( $old, $new, $watched );
181 }
182 $old = next( $this->mCurrentState );
183 $new = next( $this->mNewState );
184
185 }
186 }
187 }
188 $this->mCurrentState = $this->mNewState;
189 }
190
191 protected function describe_changed( $status, $desc_table ) {
192 if ( isset( $desc_table[$status] ) ) {
193 return $desc_table[$status];
194 } else {
195 return "STATUS " . $status;
196 }
197 }
198
199 protected function log_changed( $old, $new, $watched ) {
200 wfDebug( sprintf( $watched["desc"],
201 $this->mConn,
202 $this->describe_changed( $old, $watched["states"] ),
203 $this->describe_changed( $new, $watched["states"] )
204 ) );
205 }
206 }
207
208 /**
209 * Manage savepoints within a transaction
210 * @ingroup Database
211 * @since 1.19
212 */
213 class SavepointPostgres {
214 /**
215 * Establish a savepoint within a transaction
216 */
217 protected $dbw;
218 protected $id;
219 protected $didbegin;
220
221 public function __construct( $dbw, $id ) {
222 $this->dbw = $dbw;
223 $this->id = $id;
224 $this->didbegin = false;
225 /* If we are not in a transaction, we need to be for savepoint trickery */
226 if ( !$dbw->trxLevel() ) {
227 $dbw->begin( "FOR SAVEPOINT" );
228 $this->didbegin = true;
229 }
230 }
231
232 public function __destruct() {
233 if ( $this->didbegin ) {
234 $this->dbw->rollback();
235 $this->didbegin = false;
236 }
237 }
238
239 public function commit() {
240 if ( $this->didbegin ) {
241 $this->dbw->commit();
242 $this->didbegin = false;
243 }
244 }
245
246 protected function query( $keyword, $msg_ok, $msg_failed ) {
247 global $wgDebugDBTransactions;
248 if ( $this->dbw->doQuery( $keyword . " " . $this->id ) !== false ) {
249 if ( $wgDebugDBTransactions ) {
250 wfDebug( sprintf ( $msg_ok, $this->id ) );
251 }
252 } else {
253 wfDebug( sprintf ( $msg_failed, $this->id ) );
254 }
255 }
256
257 public function savepoint() {
258 $this->query( "SAVEPOINT",
259 "Transaction state: savepoint \"%s\" established.\n",
260 "Transaction state: establishment of savepoint \"%s\" FAILED.\n"
261 );
262 }
263
264 public function release() {
265 $this->query( "RELEASE",
266 "Transaction state: savepoint \"%s\" released.\n",
267 "Transaction state: release of savepoint \"%s\" FAILED.\n"
268 );
269 }
270
271 public function rollback() {
272 $this->query( "ROLLBACK TO",
273 "Transaction state: savepoint \"%s\" rolled back.\n",
274 "Transaction state: rollback of savepoint \"%s\" FAILED.\n"
275 );
276 }
277
278 public function __toString() {
279 return (string)$this->id;
280 }
281 }
282
283 /**
284 * @ingroup Database
285 */
286 class DatabasePostgres extends DatabaseBase {
287 var $mInsertId = null;
288 var $mLastResult = null;
289 var $numeric_version = null;
290 var $mAffectedRows = null;
291
292 function getType() {
293 return 'postgres';
294 }
295
296 function cascadingDeletes() {
297 return true;
298 }
299 function cleanupTriggers() {
300 return true;
301 }
302 function strictIPs() {
303 return true;
304 }
305 function realTimestamps() {
306 return true;
307 }
308 function implicitGroupby() {
309 return false;
310 }
311 function implicitOrderby() {
312 return false;
313 }
314 function searchableIPs() {
315 return true;
316 }
317 function functionalIndexes() {
318 return true;
319 }
320
321 function hasConstraint( $name ) {
322 $SQL = "SELECT 1 FROM pg_catalog.pg_constraint c, pg_catalog.pg_namespace n WHERE c.connamespace = n.oid AND conname = '" .
323 pg_escape_string( $this->mConn, $name ) . "' AND n.nspname = '" . pg_escape_string( $this->mConn, $this->getCoreSchema() ) . "'";
324 $res = $this->doQuery( $SQL );
325 return $this->numRows( $res );
326 }
327
328 /**
329 * Usually aborts on failure
330 * @param string $server
331 * @param string $user
332 * @param string $password
333 * @param string $dbName
334 * @throws DBConnectionError
335 * @return DatabaseBase|null
336 */
337 function open( $server, $user, $password, $dbName ) {
338 # Test for Postgres support, to avoid suppressed fatal error
339 if ( !function_exists( 'pg_connect' ) ) {
340 throw new DBConnectionError( $this, "Postgres functions missing, have you compiled PHP with the --with-pgsql option?\n (Note: if you recently installed PHP, you may need to restart your webserver and database)\n" );
341 }
342
343 global $wgDBport;
344
345 if ( !strlen( $user ) ) { # e.g. the class is being loaded
346 return;
347 }
348
349 $this->mServer = $server;
350 $port = $wgDBport;
351 $this->mUser = $user;
352 $this->mPassword = $password;
353 $this->mDBname = $dbName;
354
355 $connectVars = array(
356 'dbname' => $dbName,
357 'user' => $user,
358 'password' => $password
359 );
360 if ( $server != false && $server != '' ) {
361 $connectVars['host'] = $server;
362 }
363 if ( $port != false && $port != '' ) {
364 $connectVars['port'] = $port;
365 }
366 if ( $this->mFlags & DBO_SSL ) {
367 $connectVars['sslmode'] = 1;
368 }
369
370 $this->connectString = $this->makeConnectionString( $connectVars, PGSQL_CONNECT_FORCE_NEW );
371 $this->close();
372 $this->installErrorHandler();
373 $this->mConn = pg_connect( $this->connectString );
374 $phpError = $this->restoreErrorHandler();
375
376 if ( !$this->mConn ) {
377 wfDebug( "DB connection error\n" );
378 wfDebug( "Server: $server, Database: $dbName, User: $user, Password: " . substr( $password, 0, 3 ) . "...\n" );
379 wfDebug( $this->lastError() . "\n" );
380 throw new DBConnectionError( $this, str_replace( "\n", ' ', $phpError ) );
381 }
382
383 $this->mOpened = true;
384 $this->mTransactionState = new PostgresTransactionState( $this->mConn );
385
386 global $wgCommandLineMode;
387 # If called from the command-line (e.g. importDump), only show errors
388 if ( $wgCommandLineMode ) {
389 $this->doQuery( "SET client_min_messages = 'ERROR'" );
390 }
391
392 $this->query( "SET client_encoding='UTF8'", __METHOD__ );
393 $this->query( "SET datestyle = 'ISO, YMD'", __METHOD__ );
394 $this->query( "SET timezone = 'GMT'", __METHOD__ );
395 $this->query( "SET standard_conforming_strings = on", __METHOD__ );
396 if ( $this->getServerVersion() >= 9.0 ) {
397 $this->query( "SET bytea_output = 'escape'", __METHOD__ ); // PHP bug 53127
398 }
399
400 global $wgDBmwschema;
401 $this->determineCoreSchema( $wgDBmwschema );
402
403 return $this->mConn;
404 }
405
406 /**
407 * Postgres doesn't support selectDB in the same way MySQL does. So if the
408 * DB name doesn't match the open connection, open a new one
409 * @return
410 */
411 function selectDB( $db ) {
412 if ( $this->mDBname !== $db ) {
413 return (bool)$this->open( $this->mServer, $this->mUser, $this->mPassword, $db );
414 } else {
415 return true;
416 }
417 }
418
419 function makeConnectionString( $vars ) {
420 $s = '';
421 foreach ( $vars as $name => $value ) {
422 $s .= "$name='" . str_replace( "'", "\\'", $value ) . "' ";
423 }
424 return $s;
425 }
426
427 /**
428 * Closes a database connection, if it is open
429 * Returns success, true if already closed
430 * @return bool
431 */
432 protected function closeConnection() {
433 return pg_close( $this->mConn );
434 }
435
436 public function doQuery( $sql ) {
437 if ( function_exists( 'mb_convert_encoding' ) ) {
438 $sql = mb_convert_encoding( $sql, 'UTF-8' );
439 }
440 $this->mTransactionState->check();
441 if ( pg_send_query( $this->mConn, $sql ) === false ) {
442 throw new DBUnexpectedError( $this, "Unable to post new query to PostgreSQL\n" );
443 }
444 $this->mLastResult = pg_get_result( $this->mConn );
445 $this->mTransactionState->check();
446 $this->mAffectedRows = null;
447 if ( pg_result_error( $this->mLastResult ) ) {
448 return false;
449 }
450 return $this->mLastResult;
451 }
452
453 protected function dumpError() {
454 $diags = array( PGSQL_DIAG_SEVERITY,
455 PGSQL_DIAG_SQLSTATE,
456 PGSQL_DIAG_MESSAGE_PRIMARY,
457 PGSQL_DIAG_MESSAGE_DETAIL,
458 PGSQL_DIAG_MESSAGE_HINT,
459 PGSQL_DIAG_STATEMENT_POSITION,
460 PGSQL_DIAG_INTERNAL_POSITION,
461 PGSQL_DIAG_INTERNAL_QUERY,
462 PGSQL_DIAG_CONTEXT,
463 PGSQL_DIAG_SOURCE_FILE,
464 PGSQL_DIAG_SOURCE_LINE,
465 PGSQL_DIAG_SOURCE_FUNCTION );
466 foreach ( $diags as $d ) {
467 wfDebug( sprintf( "PgSQL ERROR(%d): %s\n", $d, pg_result_error_field( $this->mLastResult, $d ) ) );
468 }
469 }
470
471 function reportQueryError( $error, $errno, $sql, $fname, $tempIgnore = false ) {
472 /* Transaction stays in the ERROR state until rolledback */
473 if ( $tempIgnore ) {
474 /* Check for constraint violation */
475 if ( $errno === '23505' ) {
476 parent::reportQueryError( $error, $errno, $sql, $fname, $tempIgnore );
477 return;
478 }
479 }
480 /* Don't ignore serious errors */
481 $this->rollback( __METHOD__ );
482 parent::reportQueryError( $error, $errno, $sql, $fname, false );
483 }
484
485 function queryIgnore( $sql, $fname = __METHOD__ ) {
486 return $this->query( $sql, $fname, true );
487 }
488
489 function freeResult( $res ) {
490 if ( $res instanceof ResultWrapper ) {
491 $res = $res->result;
492 }
493 wfSuppressWarnings();
494 $ok = pg_free_result( $res );
495 wfRestoreWarnings();
496 if ( !$ok ) {
497 throw new DBUnexpectedError( $this, "Unable to free Postgres result\n" );
498 }
499 }
500
501 function fetchObject( $res ) {
502 if ( $res instanceof ResultWrapper ) {
503 $res = $res->result;
504 }
505 wfSuppressWarnings();
506 $row = pg_fetch_object( $res );
507 wfRestoreWarnings();
508 # @todo FIXME: HACK HACK HACK HACK debug
509
510 # @todo hashar: not sure if the following test really trigger if the object
511 # fetching failed.
512 if ( pg_last_error( $this->mConn ) ) {
513 throw new DBUnexpectedError( $this, 'SQL error: ' . htmlspecialchars( pg_last_error( $this->mConn ) ) );
514 }
515 return $row;
516 }
517
518 function fetchRow( $res ) {
519 if ( $res instanceof ResultWrapper ) {
520 $res = $res->result;
521 }
522 wfSuppressWarnings();
523 $row = pg_fetch_array( $res );
524 wfRestoreWarnings();
525 if ( pg_last_error( $this->mConn ) ) {
526 throw new DBUnexpectedError( $this, 'SQL error: ' . htmlspecialchars( pg_last_error( $this->mConn ) ) );
527 }
528 return $row;
529 }
530
531 function numRows( $res ) {
532 if ( $res instanceof ResultWrapper ) {
533 $res = $res->result;
534 }
535 wfSuppressWarnings();
536 $n = pg_num_rows( $res );
537 wfRestoreWarnings();
538 if ( pg_last_error( $this->mConn ) ) {
539 throw new DBUnexpectedError( $this, 'SQL error: ' . htmlspecialchars( pg_last_error( $this->mConn ) ) );
540 }
541 return $n;
542 }
543
544 function numFields( $res ) {
545 if ( $res instanceof ResultWrapper ) {
546 $res = $res->result;
547 }
548 return pg_num_fields( $res );
549 }
550
551 function fieldName( $res, $n ) {
552 if ( $res instanceof ResultWrapper ) {
553 $res = $res->result;
554 }
555 return pg_field_name( $res, $n );
556 }
557
558 /**
559 * Return the result of the last call to nextSequenceValue();
560 * This must be called after nextSequenceValue().
561 *
562 * @return integer|null
563 */
564 function insertId() {
565 return $this->mInsertId;
566 }
567
568 function dataSeek( $res, $row ) {
569 if ( $res instanceof ResultWrapper ) {
570 $res = $res->result;
571 }
572 return pg_result_seek( $res, $row );
573 }
574
575 function lastError() {
576 if ( $this->mConn ) {
577 if ( $this->mLastResult ) {
578 return pg_result_error( $this->mLastResult );
579 } else {
580 return pg_last_error();
581 }
582 } else {
583 return 'No database connection';
584 }
585 }
586 function lastErrno() {
587 if ( $this->mLastResult ) {
588 return pg_result_error_field( $this->mLastResult, PGSQL_DIAG_SQLSTATE );
589 } else {
590 return false;
591 }
592 }
593
594 function affectedRows() {
595 if ( !is_null( $this->mAffectedRows ) ) {
596 // Forced result for simulated queries
597 return $this->mAffectedRows;
598 }
599 if ( empty( $this->mLastResult ) ) {
600 return 0;
601 }
602 return pg_affected_rows( $this->mLastResult );
603 }
604
605 /**
606 * Estimate rows in dataset
607 * Returns estimated count, based on EXPLAIN output
608 * This is not necessarily an accurate estimate, so use sparingly
609 * Returns -1 if count cannot be found
610 * Takes same arguments as Database::select()
611 * @return int
612 */
613 function estimateRowCount( $table, $vars = '*', $conds = '', $fname = __METHOD__, $options = array() ) {
614 $options['EXPLAIN'] = true;
615 $res = $this->select( $table, $vars, $conds, $fname, $options );
616 $rows = -1;
617 if ( $res ) {
618 $row = $this->fetchRow( $res );
619 $count = array();
620 if ( preg_match( '/rows=(\d+)/', $row[0], $count ) ) {
621 $rows = $count[1];
622 }
623 }
624 return $rows;
625 }
626
627 /**
628 * Returns information about an index
629 * If errors are explicitly ignored, returns NULL on failure
630 * @return bool|null
631 */
632 function indexInfo( $table, $index, $fname = __METHOD__ ) {
633 $sql = "SELECT indexname FROM pg_indexes WHERE tablename='$table'";
634 $res = $this->query( $sql, $fname );
635 if ( !$res ) {
636 return null;
637 }
638 foreach ( $res as $row ) {
639 if ( $row->indexname == $this->indexName( $index ) ) {
640 return $row;
641 }
642 }
643 return false;
644 }
645
646 /**
647 * Returns is of attributes used in index
648 *
649 * @since 1.19
650 * @return Array
651 */
652 function indexAttributes( $index, $schema = false ) {
653 if ( $schema === false ) {
654 $schema = $this->getCoreSchema();
655 }
656 /*
657 * A subquery would be not needed if we didn't care about the order
658 * of attributes, but we do
659 */
660 $sql = <<<__INDEXATTR__
661
662 SELECT opcname,
663 attname,
664 i.indoption[s.g] as option,
665 pg_am.amname
666 FROM
667 (SELECT generate_series(array_lower(isub.indkey,1), array_upper(isub.indkey,1)) AS g
668 FROM
669 pg_index isub
670 JOIN pg_class cis
671 ON cis.oid=isub.indexrelid
672 JOIN pg_namespace ns
673 ON cis.relnamespace = ns.oid
674 WHERE cis.relname='$index' AND ns.nspname='$schema') AS s,
675 pg_attribute,
676 pg_opclass opcls,
677 pg_am,
678 pg_class ci
679 JOIN pg_index i
680 ON ci.oid=i.indexrelid
681 JOIN pg_class ct
682 ON ct.oid = i.indrelid
683 JOIN pg_namespace n
684 ON ci.relnamespace = n.oid
685 WHERE
686 ci.relname='$index' AND n.nspname='$schema'
687 AND attrelid = ct.oid
688 AND i.indkey[s.g] = attnum
689 AND i.indclass[s.g] = opcls.oid
690 AND pg_am.oid = opcls.opcmethod
691 __INDEXATTR__;
692 $res = $this->query( $sql, __METHOD__ );
693 $a = array();
694 if ( $res ) {
695 foreach ( $res as $row ) {
696 $a[] = array(
697 $row->attname,
698 $row->opcname,
699 $row->amname,
700 $row->option );
701 }
702 } else {
703 return null;
704 }
705 return $a;
706 }
707
708 function indexUnique( $table, $index, $fname = __METHOD__ ) {
709 $sql = "SELECT indexname FROM pg_indexes WHERE tablename='{$table}'" .
710 " AND indexdef LIKE 'CREATE UNIQUE%(" .
711 $this->strencode( $this->indexName( $index ) ) .
712 ")'";
713 $res = $this->query( $sql, $fname );
714 if ( !$res ) {
715 return null;
716 }
717 foreach ( $res as $row ) {
718 return true;
719 }
720 return false;
721 }
722
723 /**
724 * INSERT wrapper, inserts an array into a table
725 *
726 * $args may be a single associative array, or an array of these with numeric keys,
727 * for multi-row insert (Postgres version 8.2 and above only).
728 *
729 * @param $table String: Name of the table to insert to.
730 * @param $args Array: Items to insert into the table.
731 * @param $fname String: Name of the function, for profiling
732 * @param string $options or Array. Valid options: IGNORE
733 *
734 * @return bool Success of insert operation. IGNORE always returns true.
735 */
736 function insert( $table, $args, $fname = __METHOD__, $options = array() ) {
737 if ( !count( $args ) ) {
738 return true;
739 }
740
741 $table = $this->tableName( $table );
742 if ( !isset( $this->numeric_version ) ) {
743 $this->getServerVersion();
744 }
745
746 if ( !is_array( $options ) ) {
747 $options = array( $options );
748 }
749
750 if ( isset( $args[0] ) && is_array( $args[0] ) ) {
751 $multi = true;
752 $keys = array_keys( $args[0] );
753 } else {
754 $multi = false;
755 $keys = array_keys( $args );
756 }
757
758 // If IGNORE is set, we use savepoints to emulate mysql's behavior
759 $savepoint = null;
760 if ( in_array( 'IGNORE', $options ) ) {
761 $savepoint = new SavepointPostgres( $this, 'mw' );
762 $olde = error_reporting( 0 );
763 // For future use, we may want to track the number of actual inserts
764 // Right now, insert (all writes) simply return true/false
765 $numrowsinserted = 0;
766 }
767
768 $sql = "INSERT INTO $table (" . implode( ',', $keys ) . ') VALUES ';
769
770 if ( $multi ) {
771 if ( $this->numeric_version >= 8.2 && !$savepoint ) {
772 $first = true;
773 foreach ( $args as $row ) {
774 if ( $first ) {
775 $first = false;
776 } else {
777 $sql .= ',';
778 }
779 $sql .= '(' . $this->makeList( $row ) . ')';
780 }
781 $res = (bool)$this->query( $sql, $fname, $savepoint );
782 } else {
783 $res = true;
784 $origsql = $sql;
785 foreach ( $args as $row ) {
786 $tempsql = $origsql;
787 $tempsql .= '(' . $this->makeList( $row ) . ')';
788
789 if ( $savepoint ) {
790 $savepoint->savepoint();
791 }
792
793 $tempres = (bool)$this->query( $tempsql, $fname, $savepoint );
794
795 if ( $savepoint ) {
796 $bar = pg_last_error();
797 if ( $bar != false ) {
798 $savepoint->rollback();
799 } else {
800 $savepoint->release();
801 $numrowsinserted++;
802 }
803 }
804
805 // If any of them fail, we fail overall for this function call
806 // Note that this will be ignored if IGNORE is set
807 if ( !$tempres ) {
808 $res = false;
809 }
810 }
811 }
812 } else {
813 // Not multi, just a lone insert
814 if ( $savepoint ) {
815 $savepoint->savepoint();
816 }
817
818 $sql .= '(' . $this->makeList( $args ) . ')';
819 $res = (bool)$this->query( $sql, $fname, $savepoint );
820 if ( $savepoint ) {
821 $bar = pg_last_error();
822 if ( $bar != false ) {
823 $savepoint->rollback();
824 } else {
825 $savepoint->release();
826 $numrowsinserted++;
827 }
828 }
829 }
830 if ( $savepoint ) {
831 $olde = error_reporting( $olde );
832 $savepoint->commit();
833
834 // Set the affected row count for the whole operation
835 $this->mAffectedRows = $numrowsinserted;
836
837 // IGNORE always returns true
838 return true;
839 }
840
841 return $res;
842 }
843
844 /**
845 * INSERT SELECT wrapper
846 * $varMap must be an associative array of the form array( 'dest1' => 'source1', ...)
847 * Source items may be literals rather then field names, but strings should be quoted with Database::addQuotes()
848 * $conds may be "*" to copy the whole table
849 * srcTable may be an array of tables.
850 * @todo FIXME: Implement this a little better (seperate select/insert)?
851 * @return bool
852 */
853 function insertSelect( $destTable, $srcTable, $varMap, $conds, $fname = __METHOD__,
854 $insertOptions = array(), $selectOptions = array() )
855 {
856 $destTable = $this->tableName( $destTable );
857
858 if ( !is_array( $insertOptions ) ) {
859 $insertOptions = array( $insertOptions );
860 }
861
862 /*
863 * If IGNORE is set, we use savepoints to emulate mysql's behavior
864 * Ignore LOW PRIORITY option, since it is MySQL-specific
865 */
866 $savepoint = null;
867 if ( in_array( 'IGNORE', $insertOptions ) ) {
868 $savepoint = new SavepointPostgres( $this, 'mw' );
869 $olde = error_reporting( 0 );
870 $numrowsinserted = 0;
871 $savepoint->savepoint();
872 }
873
874 if ( !is_array( $selectOptions ) ) {
875 $selectOptions = array( $selectOptions );
876 }
877 list( $startOpts, $useIndex, $tailOpts ) = $this->makeSelectOptions( $selectOptions );
878 if ( is_array( $srcTable ) ) {
879 $srcTable = implode( ',', array_map( array( &$this, 'tableName' ), $srcTable ) );
880 } else {
881 $srcTable = $this->tableName( $srcTable );
882 }
883
884 $sql = "INSERT INTO $destTable (" . implode( ',', array_keys( $varMap ) ) . ')' .
885 " SELECT $startOpts " . implode( ',', $varMap ) .
886 " FROM $srcTable $useIndex";
887
888 if ( $conds != '*' ) {
889 $sql .= ' WHERE ' . $this->makeList( $conds, LIST_AND );
890 }
891
892 $sql .= " $tailOpts";
893
894 $res = (bool)$this->query( $sql, $fname, $savepoint );
895 if ( $savepoint ) {
896 $bar = pg_last_error();
897 if ( $bar != false ) {
898 $savepoint->rollback();
899 } else {
900 $savepoint->release();
901 $numrowsinserted++;
902 }
903 $olde = error_reporting( $olde );
904 $savepoint->commit();
905
906 // Set the affected row count for the whole operation
907 $this->mAffectedRows = $numrowsinserted;
908
909 // IGNORE always returns true
910 return true;
911 }
912
913 return $res;
914 }
915
916 function tableName( $name, $format = 'quoted' ) {
917 # Replace reserved words with better ones
918 switch ( $name ) {
919 case 'user':
920 return $this->realTableName( 'mwuser', $format );
921 case 'text':
922 return $this->realTableName( 'pagecontent', $format );
923 default:
924 return $this->realTableName( $name, $format );
925 }
926 }
927
928 /* Don't cheat on installer */
929 function realTableName( $name, $format = 'quoted' ) {
930 return parent::tableName( $name, $format );
931 }
932
933 /**
934 * Return the next in a sequence, save the value for retrieval via insertId()
935 * @return null
936 */
937 function nextSequenceValue( $seqName ) {
938 $safeseq = str_replace( "'", "''", $seqName );
939 $res = $this->query( "SELECT nextval('$safeseq')" );
940 $row = $this->fetchRow( $res );
941 $this->mInsertId = $row[0];
942 return $this->mInsertId;
943 }
944
945 /**
946 * Return the current value of a sequence. Assumes it has been nextval'ed in this session.
947 * @return
948 */
949 function currentSequenceValue( $seqName ) {
950 $safeseq = str_replace( "'", "''", $seqName );
951 $res = $this->query( "SELECT currval('$safeseq')" );
952 $row = $this->fetchRow( $res );
953 $currval = $row[0];
954 return $currval;
955 }
956
957 # Returns the size of a text field, or -1 for "unlimited"
958 function textFieldSize( $table, $field ) {
959 $table = $this->tableName( $table );
960 $sql = "SELECT t.typname as ftype,a.atttypmod as size
961 FROM pg_class c, pg_attribute a, pg_type t
962 WHERE relname='$table' AND a.attrelid=c.oid AND
963 a.atttypid=t.oid and a.attname='$field'";
964 $res = $this->query( $sql );
965 $row = $this->fetchObject( $res );
966 if ( $row->ftype == 'varchar' ) {
967 $size = $row->size - 4;
968 } else {
969 $size = $row->size;
970 }
971 return $size;
972 }
973
974 function limitResult( $sql, $limit, $offset = false ) {
975 return "$sql LIMIT $limit " . ( is_numeric( $offset ) ? " OFFSET {$offset} " : '' );
976 }
977
978 function wasDeadlock() {
979 return $this->lastErrno() == '40P01';
980 }
981
982 function duplicateTableStructure( $oldName, $newName, $temporary = false, $fname = __METHOD__ ) {
983 $newName = $this->addIdentifierQuotes( $newName );
984 $oldName = $this->addIdentifierQuotes( $oldName );
985 return $this->query( 'CREATE ' . ( $temporary ? 'TEMPORARY ' : '' ) . " TABLE $newName (LIKE $oldName INCLUDING DEFAULTS)", $fname );
986 }
987
988 function listTables( $prefix = null, $fname = __METHOD__ ) {
989 $eschema = $this->addQuotes( $this->getCoreSchema() );
990 $result = $this->query( "SELECT tablename FROM pg_tables WHERE schemaname = $eschema", $fname );
991 $endArray = array();
992
993 foreach ( $result as $table ) {
994 $vars = get_object_vars( $table );
995 $table = array_pop( $vars );
996 if ( !$prefix || strpos( $table, $prefix ) === 0 ) {
997 $endArray[] = $table;
998 }
999 }
1000
1001 return $endArray;
1002 }
1003
1004 function timestamp( $ts = 0 ) {
1005 return wfTimestamp( TS_POSTGRES, $ts );
1006 }
1007
1008 /*
1009 * Posted by cc[plus]php[at]c2se[dot]com on 25-Mar-2009 09:12
1010 * to http://www.php.net/manual/en/ref.pgsql.php
1011 *
1012 * Parsing a postgres array can be a tricky problem, he's my
1013 * take on this, it handles multi-dimensional arrays plus
1014 * escaping using a nasty regexp to determine the limits of each
1015 * data-item.
1016 *
1017 * This should really be handled by PHP PostgreSQL module
1018 *
1019 * @since 1.19
1020 * @param $text string: postgreql array returned in a text form like {a,b}
1021 * @param $output string
1022 * @param $limit int
1023 * @param $offset int
1024 * @return string
1025 */
1026 function pg_array_parse( $text, &$output, $limit = false, $offset = 1 ) {
1027 if ( false === $limit ) {
1028 $limit = strlen( $text ) - 1;
1029 $output = array();
1030 }
1031 if ( '{}' == $text ) {
1032 return $output;
1033 }
1034 do {
1035 if ( '{' != $text{$offset} ) {
1036 preg_match( "/(\\{?\"([^\"\\\\]|\\\\.)*\"|[^,{}]+)+([,}]+)/",
1037 $text, $match, 0, $offset );
1038 $offset += strlen( $match[0] );
1039 $output[] = ( '"' != $match[1]{0}
1040 ? $match[1]
1041 : stripcslashes( substr( $match[1], 1, -1 ) ) );
1042 if ( '},' == $match[3] ) {
1043 return $output;
1044 }
1045 } else {
1046 $offset = $this->pg_array_parse( $text, $output, $limit, $offset + 1 );
1047 }
1048 } while ( $limit > $offset );
1049 return $output;
1050 }
1051
1052 /**
1053 * Return aggregated value function call
1054 */
1055 public function aggregateValue( $valuedata, $valuename = 'value' ) {
1056 return $valuedata;
1057 }
1058
1059 /**
1060 * @return string wikitext of a link to the server software's web site
1061 */
1062 public static function getSoftwareLink() {
1063 return '[http://www.postgresql.org/ PostgreSQL]';
1064 }
1065
1066 /**
1067 * Return current schema (executes SELECT current_schema())
1068 * Needs transaction
1069 *
1070 * @since 1.19
1071 * @return string return default schema for the current session
1072 */
1073 function getCurrentSchema() {
1074 $res = $this->query( "SELECT current_schema()", __METHOD__ );
1075 $row = $this->fetchRow( $res );
1076 return $row[0];
1077 }
1078
1079 /**
1080 * Return list of schemas which are accessible without schema name
1081 * This is list does not contain magic keywords like "$user"
1082 * Needs transaction
1083 *
1084 * @see getSearchPath()
1085 * @see setSearchPath()
1086 * @since 1.19
1087 * @return array list of actual schemas for the current sesson
1088 */
1089 function getSchemas() {
1090 $res = $this->query( "SELECT current_schemas(false)", __METHOD__ );
1091 $row = $this->fetchRow( $res );
1092 $schemas = array();
1093 /* PHP pgsql support does not support array type, "{a,b}" string is returned */
1094 return $this->pg_array_parse( $row[0], $schemas );
1095 }
1096
1097 /**
1098 * Return search patch for schemas
1099 * This is different from getSchemas() since it contain magic keywords
1100 * (like "$user").
1101 * Needs transaction
1102 *
1103 * @since 1.19
1104 * @return array how to search for table names schemas for the current user
1105 */
1106 function getSearchPath() {
1107 $res = $this->query( "SHOW search_path", __METHOD__ );
1108 $row = $this->fetchRow( $res );
1109 /* PostgreSQL returns SHOW values as strings */
1110 return explode( ",", $row[0] );
1111 }
1112
1113 /**
1114 * Update search_path, values should already be sanitized
1115 * Values may contain magic keywords like "$user"
1116 * @since 1.19
1117 *
1118 * @param $search_path array list of schemas to be searched by default
1119 */
1120 function setSearchPath( $search_path ) {
1121 $this->query( "SET search_path = " . implode( ", ", $search_path ) );
1122 }
1123
1124 /**
1125 * Determine default schema for MediaWiki core
1126 * Adjust this session schema search path if desired schema exists
1127 * and is not alread there.
1128 *
1129 * We need to have name of the core schema stored to be able
1130 * to query database metadata.
1131 *
1132 * This will be also called by the installer after the schema is created
1133 *
1134 * @since 1.19
1135 * @param $desired_schema string
1136 */
1137 function determineCoreSchema( $desired_schema ) {
1138 $this->begin( __METHOD__ );
1139 if ( $this->schemaExists( $desired_schema ) ) {
1140 if ( in_array( $desired_schema, $this->getSchemas() ) ) {
1141 $this->mCoreSchema = $desired_schema;
1142 wfDebug( "Schema \"" . $desired_schema . "\" already in the search path\n" );
1143 } else {
1144 /**
1145 * Prepend our schema (e.g. 'mediawiki') in front
1146 * of the search path
1147 * Fixes bug 15816
1148 */
1149 $search_path = $this->getSearchPath();
1150 array_unshift( $search_path,
1151 $this->addIdentifierQuotes( $desired_schema ));
1152 $this->setSearchPath( $search_path );
1153 $this->mCoreSchema = $desired_schema;
1154 wfDebug( "Schema \"" . $desired_schema . "\" added to the search path\n" );
1155 }
1156 } else {
1157 $this->mCoreSchema = $this->getCurrentSchema();
1158 wfDebug( "Schema \"" . $desired_schema . "\" not found, using current \"" . $this->mCoreSchema . "\"\n" );
1159 }
1160 /* Commit SET otherwise it will be rollbacked on error or IGNORE SELECT */
1161 $this->commit( __METHOD__ );
1162 }
1163
1164 /**
1165 * Return schema name fore core MediaWiki tables
1166 *
1167 * @since 1.19
1168 * @return string core schema name
1169 */
1170 function getCoreSchema() {
1171 return $this->mCoreSchema;
1172 }
1173
1174 /**
1175 * @return string Version information from the database
1176 */
1177 function getServerVersion() {
1178 if ( !isset( $this->numeric_version ) ) {
1179 $versionInfo = pg_version( $this->mConn );
1180 if ( version_compare( $versionInfo['client'], '7.4.0', 'lt' ) ) {
1181 // Old client, abort install
1182 $this->numeric_version = '7.3 or earlier';
1183 } elseif ( isset( $versionInfo['server'] ) ) {
1184 // Normal client
1185 $this->numeric_version = $versionInfo['server'];
1186 } else {
1187 // Bug 16937: broken pgsql extension from PHP<5.3
1188 $this->numeric_version = pg_parameter_status( $this->mConn, 'server_version' );
1189 }
1190 }
1191 return $this->numeric_version;
1192 }
1193
1194 /**
1195 * Query whether a given relation exists (in the given schema, or the
1196 * default mw one if not given)
1197 * @return bool
1198 */
1199 function relationExists( $table, $types, $schema = false ) {
1200 if ( !is_array( $types ) ) {
1201 $types = array( $types );
1202 }
1203 if ( !$schema ) {
1204 $schema = $this->getCoreSchema();
1205 }
1206 $table = $this->realTableName( $table, 'raw' );
1207 $etable = $this->addQuotes( $table );
1208 $eschema = $this->addQuotes( $schema );
1209 $SQL = "SELECT 1 FROM pg_catalog.pg_class c, pg_catalog.pg_namespace n "
1210 . "WHERE c.relnamespace = n.oid AND c.relname = $etable AND n.nspname = $eschema "
1211 . "AND c.relkind IN ('" . implode( "','", $types ) . "')";
1212 $res = $this->query( $SQL );
1213 $count = $res ? $res->numRows() : 0;
1214 return (bool)$count;
1215 }
1216
1217 /**
1218 * For backward compatibility, this function checks both tables and
1219 * views.
1220 * @return bool
1221 */
1222 function tableExists( $table, $fname = __METHOD__, $schema = false ) {
1223 return $this->relationExists( $table, array( 'r', 'v' ), $schema );
1224 }
1225
1226 function sequenceExists( $sequence, $schema = false ) {
1227 return $this->relationExists( $sequence, 'S', $schema );
1228 }
1229
1230 function triggerExists( $table, $trigger ) {
1231 $q = <<<SQL
1232 SELECT 1 FROM pg_class, pg_namespace, pg_trigger
1233 WHERE relnamespace=pg_namespace.oid AND relkind='r'
1234 AND tgrelid=pg_class.oid
1235 AND nspname=%s AND relname=%s AND tgname=%s
1236 SQL;
1237 $res = $this->query(
1238 sprintf(
1239 $q,
1240 $this->addQuotes( $this->getCoreSchema() ),
1241 $this->addQuotes( $table ),
1242 $this->addQuotes( $trigger )
1243 )
1244 );
1245 if ( !$res ) {
1246 return null;
1247 }
1248 $rows = $res->numRows();
1249 return $rows;
1250 }
1251
1252 function ruleExists( $table, $rule ) {
1253 $exists = $this->selectField( 'pg_rules', 'rulename',
1254 array(
1255 'rulename' => $rule,
1256 'tablename' => $table,
1257 'schemaname' => $this->getCoreSchema()
1258 )
1259 );
1260 return $exists === $rule;
1261 }
1262
1263 function constraintExists( $table, $constraint ) {
1264 $SQL = sprintf( "SELECT 1 FROM information_schema.table_constraints " .
1265 "WHERE constraint_schema = %s AND table_name = %s AND constraint_name = %s",
1266 $this->addQuotes( $this->getCoreSchema() ),
1267 $this->addQuotes( $table ),
1268 $this->addQuotes( $constraint )
1269 );
1270 $res = $this->query( $SQL );
1271 if ( !$res ) {
1272 return null;
1273 }
1274 $rows = $res->numRows();
1275 return $rows;
1276 }
1277
1278 /**
1279 * Query whether a given schema exists. Returns true if it does, false if it doesn't.
1280 * @return bool
1281 */
1282 function schemaExists( $schema ) {
1283 $exists = $this->selectField( '"pg_catalog"."pg_namespace"', 1,
1284 array( 'nspname' => $schema ), __METHOD__ );
1285 return (bool)$exists;
1286 }
1287
1288 /**
1289 * Returns true if a given role (i.e. user) exists, false otherwise.
1290 * @return bool
1291 */
1292 function roleExists( $roleName ) {
1293 $exists = $this->selectField( '"pg_catalog"."pg_roles"', 1,
1294 array( 'rolname' => $roleName ), __METHOD__ );
1295 return (bool)$exists;
1296 }
1297
1298 function fieldInfo( $table, $field ) {
1299 return PostgresField::fromText( $this, $table, $field );
1300 }
1301
1302 /**
1303 * pg_field_type() wrapper
1304 * @return string
1305 */
1306 function fieldType( $res, $index ) {
1307 if ( $res instanceof ResultWrapper ) {
1308 $res = $res->result;
1309 }
1310 return pg_field_type( $res, $index );
1311 }
1312
1313 /**
1314 * @param $b
1315 * @return Blob
1316 */
1317 function encodeBlob( $b ) {
1318 return new Blob( pg_escape_bytea( $this->mConn, $b ) );
1319 }
1320
1321 function decodeBlob( $b ) {
1322 if ( $b instanceof Blob ) {
1323 $b = $b->fetch();
1324 }
1325 return pg_unescape_bytea( $b );
1326 }
1327
1328 function strencode( $s ) { # Should not be called by us
1329 return pg_escape_string( $this->mConn, $s );
1330 }
1331
1332 /**
1333 * @param $s null|bool|Blob
1334 * @return int|string
1335 */
1336 function addQuotes( $s ) {
1337 if ( is_null( $s ) ) {
1338 return 'NULL';
1339 } elseif ( is_bool( $s ) ) {
1340 return intval( $s );
1341 } elseif ( $s instanceof Blob ) {
1342 return "'" . $s->fetch( $s ) . "'";
1343 }
1344 return "'" . pg_escape_string( $this->mConn, $s ) . "'";
1345 }
1346
1347 /**
1348 * Postgres specific version of replaceVars.
1349 * Calls the parent version in Database.php
1350 *
1351 * @private
1352 *
1353 * @param string $ins SQL string, read from a stream (usually tables.sql)
1354 *
1355 * @return string SQL string
1356 */
1357 protected function replaceVars( $ins ) {
1358 $ins = parent::replaceVars( $ins );
1359
1360 if ( $this->numeric_version >= 8.3 ) {
1361 // Thanks for not providing backwards-compatibility, 8.3
1362 $ins = preg_replace( "/to_tsvector\s*\(\s*'default'\s*,/", 'to_tsvector(', $ins );
1363 }
1364
1365 if ( $this->numeric_version <= 8.1 ) { // Our minimum version
1366 $ins = str_replace( 'USING gin', 'USING gist', $ins );
1367 }
1368
1369 return $ins;
1370 }
1371
1372 /**
1373 * Various select options
1374 *
1375 * @private
1376 *
1377 * @param array $options an associative array of options to be turned into
1378 * an SQL query, valid keys are listed in the function.
1379 * @return array
1380 */
1381 function makeSelectOptions( $options ) {
1382 $preLimitTail = $postLimitTail = '';
1383 $startOpts = $useIndex = '';
1384
1385 $noKeyOptions = array();
1386 foreach ( $options as $key => $option ) {
1387 if ( is_numeric( $key ) ) {
1388 $noKeyOptions[$option] = true;
1389 }
1390 }
1391
1392 $preLimitTail .= $this->makeGroupByWithHaving( $options );
1393
1394 $preLimitTail .= $this->makeOrderBy( $options );
1395
1396 //if ( isset( $options['LIMIT'] ) ) {
1397 // $tailOpts .= $this->limitResult( '', $options['LIMIT'],
1398 // isset( $options['OFFSET'] ) ? $options['OFFSET']
1399 // : false );
1400 //}
1401
1402 if ( isset( $noKeyOptions['FOR UPDATE'] ) ) {
1403 $postLimitTail .= ' FOR UPDATE';
1404 }
1405 if ( isset( $noKeyOptions['DISTINCT'] ) || isset( $noKeyOptions['DISTINCTROW'] ) ) {
1406 $startOpts .= 'DISTINCT';
1407 }
1408
1409 return array( $startOpts, $useIndex, $preLimitTail, $postLimitTail );
1410 }
1411
1412 function setFakeMaster( $enabled = true ) {
1413 }
1414
1415 function getDBname() {
1416 return $this->mDBname;
1417 }
1418
1419 function getServer() {
1420 return $this->mServer;
1421 }
1422
1423 function buildConcat( $stringList ) {
1424 return implode( ' || ', $stringList );
1425 }
1426
1427 public function getSearchEngine() {
1428 return 'SearchPostgres';
1429 }
1430
1431 public function streamStatementEnd( &$sql, &$newLine ) {
1432 # Allow dollar quoting for function declarations
1433 if ( substr( $newLine, 0, 4 ) == '$mw$' ) {
1434 if ( $this->delimiter ) {
1435 $this->delimiter = false;
1436 }
1437 else {
1438 $this->delimiter = ';';
1439 }
1440 }
1441 return parent::streamStatementEnd( $sql, $newLine );
1442 }
1443
1444 /**
1445 * Check to see if a named lock is available. This is non-blocking.
1446 * See http://www.postgresql.org/docs/8.2/static/functions-admin.html#FUNCTIONS-ADVISORY-LOCKS
1447 *
1448 * @param string $lockName name of lock to poll
1449 * @param string $method name of method calling us
1450 * @return Boolean
1451 * @since 1.20
1452 */
1453 public function lockIsFree( $lockName, $method ) {
1454 $key = $this->addQuotes( $this->bigintFromLockName( $lockName ) );
1455 $result = $this->query( "SELECT (CASE(pg_try_advisory_lock($key))
1456 WHEN 'f' THEN 'f' ELSE pg_advisory_unlock($key) END) AS lockstatus", $method );
1457 $row = $this->fetchObject( $result );
1458 return ( $row->lockstatus === 't' );
1459 }
1460
1461 /**
1462 * See http://www.postgresql.org/docs/8.2/static/functions-admin.html#FUNCTIONS-ADVISORY-LOCKS
1463 * @param $lockName string
1464 * @param $method string
1465 * @param $timeout int
1466 * @return bool
1467 */
1468 public function lock( $lockName, $method, $timeout = 5 ) {
1469 $key = $this->addQuotes( $this->bigintFromLockName( $lockName ) );
1470 for ( $attempts = 1; $attempts <= $timeout; ++$attempts ) {
1471 $result = $this->query(
1472 "SELECT pg_try_advisory_lock($key) AS lockstatus", $method );
1473 $row = $this->fetchObject( $result );
1474 if ( $row->lockstatus === 't' ) {
1475 return true;
1476 } else {
1477 sleep( 1 );
1478 }
1479 }
1480 wfDebug( __METHOD__ . " failed to acquire lock\n" );
1481 return false;
1482 }
1483
1484 /**
1485 * See http://www.postgresql.org/docs/8.2/static/functions-admin.html#FUNCTIONS-ADVISORY-LOCKSFROM PG DOCS: http://www.postgresql.org/docs/8.2/static/functions-admin.html#FUNCTIONS-ADVISORY-LOCKS
1486 * @param $lockName string
1487 * @param $method string
1488 * @return bool
1489 */
1490 public function unlock( $lockName, $method ) {
1491 $key = $this->addQuotes( $this->bigintFromLockName( $lockName ) );
1492 $result = $this->query( "SELECT pg_advisory_unlock($key) as lockstatus", $method );
1493 $row = $this->fetchObject( $result );
1494 return ( $row->lockstatus === 't' );
1495 }
1496
1497 /**
1498 * @param string $lockName
1499 * @return string Integer
1500 */
1501 private function bigintFromLockName( $lockName ) {
1502 return wfBaseConvert( substr( sha1( $lockName ), 0, 15 ), 16, 10 );
1503 }
1504 } // end DatabasePostgres class