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