* (bug 16937) Show appropriate error message when someone attempts an install on...
[lhc/web/wiklou.git] / includes / db / DatabasePostgres.php
1 <?php
2 /**
3 * @ingroup Database
4 * @file
5 * This is the Postgres database abstraction layer.
6 *
7 */
8 class PostgresField {
9 private $name, $tablename, $type, $nullable, $max_length;
10
11 static function fromText($db, $table, $field) {
12 global $wgDBmwschema;
13
14 $q = <<<END
15 SELECT
16 CASE WHEN typname = 'int2' THEN 'smallint'
17 WHEN typname = 'int4' THEN 'integer'
18 WHEN typname = 'int8' THEN 'bigint'
19 WHEN typname = 'bpchar' THEN 'char'
20 ELSE typname END AS typname,
21 attnotnull, attlen
22 FROM pg_class, pg_namespace, pg_attribute, pg_type
23 WHERE relnamespace=pg_namespace.oid
24 AND relkind='r'
25 AND attrelid=pg_class.oid
26 AND atttypid=pg_type.oid
27 AND nspname=%s
28 AND relname=%s
29 AND attname=%s;
30 END;
31 $res = $db->query(sprintf($q,
32 $db->addQuotes($wgDBmwschema),
33 $db->addQuotes($table),
34 $db->addQuotes($field)));
35 $row = $db->fetchObject($res);
36 if (!$row)
37 return null;
38 $n = new PostgresField;
39 $n->type = $row->typname;
40 $n->nullable = ($row->attnotnull == 'f');
41 $n->name = $field;
42 $n->tablename = $table;
43 $n->max_length = $row->attlen;
44 return $n;
45 }
46
47 function name() {
48 return $this->name;
49 }
50
51 function tableName() {
52 return $this->tablename;
53 }
54
55 function type() {
56 return $this->type;
57 }
58
59 function nullable() {
60 return $this->nullable;
61 }
62
63 function maxLength() {
64 return $this->max_length;
65 }
66 }
67
68 /**
69 * @ingroup Database
70 */
71 class DatabasePostgres extends Database {
72 var $mInsertId = NULL;
73 var $mLastResult = NULL;
74 var $numeric_version = NULL;
75 var $mAffectedRows = NULL;
76
77 function DatabasePostgres($server = false, $user = false, $password = false, $dbName = false,
78 $failFunction = false, $flags = 0 )
79 {
80
81 $this->mFailFunction = $failFunction;
82 $this->mFlags = $flags;
83 $this->open( $server, $user, $password, $dbName);
84
85 }
86
87 function cascadingDeletes() {
88 return true;
89 }
90 function cleanupTriggers() {
91 return true;
92 }
93 function strictIPs() {
94 return true;
95 }
96 function realTimestamps() {
97 return true;
98 }
99 function implicitGroupby() {
100 return false;
101 }
102 function implicitOrderby() {
103 return false;
104 }
105 function searchableIPs() {
106 return true;
107 }
108 function functionalIndexes() {
109 return true;
110 }
111
112 function hasConstraint( $name ) {
113 global $wgDBmwschema;
114 $SQL = "SELECT 1 FROM pg_catalog.pg_constraint c, pg_catalog.pg_namespace n WHERE c.connamespace = n.oid AND conname = '" . pg_escape_string( $name ) . "' AND n.nspname = '" . pg_escape_string($wgDBmwschema) ."'";
115 return $this->numRows($res = $this->doQuery($SQL));
116 }
117
118 static function newFromParams( $server, $user, $password, $dbName, $failFunction = false, $flags = 0)
119 {
120 return new DatabasePostgres( $server, $user, $password, $dbName, $failFunction, $flags );
121 }
122
123 /**
124 * Usually aborts on failure
125 * If the failFunction is set to a non-zero integer, returns success
126 */
127 function open( $server, $user, $password, $dbName ) {
128 # Test for Postgres support, to avoid suppressed fatal error
129 if ( !function_exists( 'pg_connect' ) ) {
130 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" );
131 }
132
133 global $wgDBport;
134
135 if (!strlen($user)) { ## e.g. the class is being loaded
136 return;
137 }
138 $this->close();
139 $this->mServer = $server;
140 $this->mPort = $port = $wgDBport;
141 $this->mUser = $user;
142 $this->mPassword = $password;
143 $this->mDBname = $dbName;
144
145 $connectVars = array(
146 'dbname' => $dbName,
147 'user' => $user,
148 'password' => $password );
149 if ($server!=false && $server!="") {
150 $connectVars['host'] = $server;
151 }
152 if ($port!=false && $port!="") {
153 $connectVars['port'] = $port;
154 }
155 $connectString = $this->makeConnectionString( $connectVars );
156
157 $this->installErrorHandler();
158 $this->mConn = pg_connect( $connectString );
159 $phpError = $this->restoreErrorHandler();
160
161 if ( $this->mConn == false ) {
162 wfDebug( "DB connection error\n" );
163 wfDebug( "Server: $server, Database: $dbName, User: $user, Password: " . substr( $password, 0, 3 ) . "...\n" );
164 wfDebug( $this->lastError()."\n" );
165 if ( !$this->mFailFunction ) {
166 throw new DBConnectionError( $this, $phpError );
167 } else {
168 return false;
169 }
170 }
171
172 $this->mOpened = true;
173
174 global $wgCommandLineMode;
175 ## If called from the command-line (e.g. importDump), only show errors
176 if ($wgCommandLineMode) {
177 $this->doQuery("SET client_min_messages = 'ERROR'");
178 }
179
180 global $wgDBmwschema, $wgDBts2schema;
181 if (isset( $wgDBmwschema ) && isset( $wgDBts2schema )
182 && $wgDBmwschema !== 'mediawiki'
183 && preg_match( '/^\w+$/', $wgDBmwschema )
184 && preg_match( '/^\w+$/', $wgDBts2schema )
185 ) {
186 $safeschema = $this->quote_ident($wgDBmwschema);
187 $safeschema2 = $this->quote_ident($wgDBts2schema);
188 $this->doQuery("SET search_path = $safeschema, $wgDBts2schema, public");
189 }
190
191 return $this->mConn;
192 }
193
194 function makeConnectionString( $vars ) {
195 $s = '';
196 foreach ( $vars as $name => $value ) {
197 $s .= "$name='" . str_replace( "'", "\\'", $value ) . "' ";
198 }
199 return $s;
200 }
201
202
203 function initial_setup($password, $dbName) {
204 // If this is the initial connection, setup the schema stuff and possibly create the user
205 global $wgDBname, $wgDBuser, $wgDBpassword, $wgDBsuperuser, $wgDBmwschema, $wgDBts2schema;
206
207 print "<li>Checking the version of Postgres...";
208 $version = $this->getServerVersion();
209 $PGMINVER = '8.1';
210 if ($version < $PGMINVER) {
211 print "<b>FAILED</b>. Required version is $PGMINVER. You have $version</li>\n";
212 dieout("</ul>");
213 }
214 print "version $this->numeric_version is OK.</li>\n";
215
216 $safeuser = $this->quote_ident($wgDBuser);
217 // Are we connecting as a superuser for the first time?
218 if ($wgDBsuperuser) {
219 // Are we really a superuser? Check out our rights
220 $SQL = "SELECT
221 CASE WHEN usesuper IS TRUE THEN
222 CASE WHEN usecreatedb IS TRUE THEN 3 ELSE 1 END
223 ELSE CASE WHEN usecreatedb IS TRUE THEN 2 ELSE 0 END
224 END AS rights
225 FROM pg_catalog.pg_user WHERE usename = " . $this->addQuotes($wgDBsuperuser);
226 $rows = $this->numRows($res = $this->doQuery($SQL));
227 if (!$rows) {
228 print "<li>ERROR: Could not read permissions for user \"$wgDBsuperuser\"</li>\n";
229 dieout('</ul>');
230 }
231 $perms = pg_fetch_result($res, 0, 0);
232
233 $SQL = "SELECT 1 FROM pg_catalog.pg_user WHERE usename = " . $this->addQuotes($wgDBuser);
234 $rows = $this->numRows($this->doQuery($SQL));
235 if ($rows) {
236 print "<li>User \"$wgDBuser\" already exists, skipping account creation.</li>";
237 }
238 else {
239 if ($perms != 1 and $perms != 3) {
240 print "<li>ERROR: the user \"$wgDBsuperuser\" cannot create other users. ";
241 print 'Please use a different Postgres user.</li>';
242 dieout('</ul>');
243 }
244 print "<li>Creating user <b>$wgDBuser</b>...";
245 $safepass = $this->addQuotes($wgDBpassword);
246 $SQL = "CREATE USER $safeuser NOCREATEDB PASSWORD $safepass";
247 $this->doQuery($SQL);
248 print "OK</li>\n";
249 }
250 // User now exists, check out the database
251 if ($dbName != $wgDBname) {
252 $SQL = "SELECT 1 FROM pg_catalog.pg_database WHERE datname = " . $this->addQuotes($wgDBname);
253 $rows = $this->numRows($this->doQuery($SQL));
254 if ($rows) {
255 print "<li>Database \"$wgDBname\" already exists, skipping database creation.</li>";
256 }
257 else {
258 if ($perms < 2) {
259 print "<li>ERROR: the user \"$wgDBsuperuser\" cannot create databases. ";
260 print 'Please use a different Postgres user.</li>';
261 dieout('</ul>');
262 }
263 print "<li>Creating database <b>$wgDBname</b>...";
264 $safename = $this->quote_ident($wgDBname);
265 $SQL = "CREATE DATABASE $safename OWNER $safeuser ";
266 $this->doQuery($SQL);
267 print "OK</li>\n";
268 // Hopefully tsearch2 and plpgsql are in template1...
269 }
270
271 // Reconnect to check out tsearch2 rights for this user
272 print "<li>Connecting to \"$wgDBname\" as superuser \"$wgDBsuperuser\" to check rights...";
273
274 $hstring="";
275 if ($this->mServer!=false && $this->mServer!="") {
276 $hstring="host=$this->mServer ";
277 }
278 if ($this->mPort!=false && $this->mPort!="") {
279 $hstring .= "port=$this->mPort ";
280 }
281
282 @$this->mConn = pg_connect("$hstring dbname=$wgDBname user=$wgDBsuperuser password=$password");
283 if ( $this->mConn == false ) {
284 print "<b>FAILED TO CONNECT!</b></li>";
285 dieout("</ul>");
286 }
287 print "OK</li>\n";
288 }
289
290 if ($this->numeric_version < 8.3) {
291 // Tsearch2 checks
292 print "<li>Checking that tsearch2 is installed in the database \"$wgDBname\"...";
293 if (! $this->tableExists("pg_ts_cfg", $wgDBts2schema)) {
294 print "<b>FAILED</b>. tsearch2 must be installed in the database \"$wgDBname\".";
295 print "Please see <a href='http://www.devx.com/opensource/Article/21674/0/page/2'>this article</a>";
296 print " for instructions or ask on #postgresql on irc.freenode.net</li>\n";
297 dieout("</ul>");
298 }
299 print "OK</li>\n";
300 print "<li>Ensuring that user \"$wgDBuser\" has select rights on the tsearch2 tables...";
301 foreach (array('cfg','cfgmap','dict','parser') as $table) {
302 $SQL = "GRANT SELECT ON pg_ts_$table TO $safeuser";
303 $this->doQuery($SQL);
304 }
305 print "OK</li>\n";
306 }
307
308 // Setup the schema for this user if needed
309 $result = $this->schemaExists($wgDBmwschema);
310 $safeschema = $this->quote_ident($wgDBmwschema);
311 if (!$result) {
312 print "<li>Creating schema <b>$wgDBmwschema</b> ...";
313 $result = $this->doQuery("CREATE SCHEMA $safeschema AUTHORIZATION $safeuser");
314 if (!$result) {
315 print "<b>FAILED</b>.</li>\n";
316 dieout("</ul>");
317 }
318 print "OK</li>\n";
319 }
320 else {
321 print "<li>Schema already exists, explicitly granting rights...\n";
322 $safeschema2 = $this->addQuotes($wgDBmwschema);
323 $SQL = "SELECT 'GRANT ALL ON '||pg_catalog.quote_ident(relname)||' TO $safeuser;'\n".
324 "FROM pg_catalog.pg_class p, pg_catalog.pg_namespace n\n".
325 "WHERE relnamespace = n.oid AND n.nspname = $safeschema2\n".
326 "AND p.relkind IN ('r','S','v')\n";
327 $SQL .= "UNION\n";
328 $SQL .= "SELECT 'GRANT ALL ON FUNCTION '||pg_catalog.quote_ident(proname)||'('||\n".
329 "pg_catalog.oidvectortypes(p.proargtypes)||') TO $safeuser;'\n".
330 "FROM pg_catalog.pg_proc p, pg_catalog.pg_namespace n\n".
331 "WHERE p.pronamespace = n.oid AND n.nspname = $safeschema2";
332 $res = $this->doQuery($SQL);
333 if (!$res) {
334 print "<b>FAILED</b>. Could not set rights for the user.</li>\n";
335 dieout("</ul>");
336 }
337 $this->doQuery("SET search_path = $safeschema");
338 $rows = $this->numRows($res);
339 while ($rows) {
340 $rows--;
341 $this->doQuery(pg_fetch_result($res, $rows, 0));
342 }
343 print "OK</li>";
344 }
345
346 // Install plpgsql if needed
347 $this->setup_plpgsql();
348
349 $wgDBsuperuser = '';
350 return true; // Reconnect as regular user
351
352 } // end superuser
353
354 if (!defined('POSTGRES_SEARCHPATH')) {
355
356 if ($this->numeric_version < 8.3) {
357 // Do we have the basic tsearch2 table?
358 print "<li>Checking for tsearch2 in the schema \"$wgDBts2schema\"...";
359 if (! $this->tableExists("pg_ts_dict", $wgDBts2schema)) {
360 print "<b>FAILED</b>. Make sure tsearch2 is installed. See <a href=";
361 print "'http://www.devx.com/opensource/Article/21674/0/page/2'>this article</a>";
362 print " for instructions.</li>\n";
363 dieout("</ul>");
364 }
365 print "OK</li>\n";
366
367 // Does this user have the rights to the tsearch2 tables?
368 $ctype = pg_fetch_result($this->doQuery("SHOW lc_ctype"),0,0);
369 print "<li>Checking tsearch2 permissions...";
370 // Let's check all four, just to be safe
371 error_reporting( 0 );
372 $ts2tables = array('cfg','cfgmap','dict','parser');
373 $safetsschema = $this->quote_ident($wgDBts2schema);
374 foreach ( $ts2tables AS $tname ) {
375 $SQL = "SELECT count(*) FROM $safetsschema.pg_ts_$tname";
376 $res = $this->doQuery($SQL);
377 if (!$res) {
378 print "<b>FAILED</b> to access pg_ts_$tname. Make sure that the user ".
379 "\"$wgDBuser\" has SELECT access to all four tsearch2 tables</li>\n";
380 dieout("</ul>");
381 }
382 }
383 $SQL = "SELECT ts_name FROM $safetsschema.pg_ts_cfg WHERE locale = '$ctype'";
384 $SQL .= " ORDER BY CASE WHEN ts_name <> 'default' THEN 1 ELSE 0 END";
385 $res = $this->doQuery($SQL);
386 error_reporting( E_ALL );
387 if (!$res) {
388 print "<b>FAILED</b>. Could not determine the tsearch2 locale information</li>\n";
389 dieout("</ul>");
390 }
391 print "OK</li>";
392
393 // Will the current locale work? Can we force it to?
394 print "<li>Verifying tsearch2 locale with $ctype...";
395 $rows = $this->numRows($res);
396 $resetlocale = 0;
397 if (!$rows) {
398 print "<b>not found</b></li>\n";
399 print "<li>Attempting to set default tsearch2 locale to \"$ctype\"...";
400 $resetlocale = 1;
401 }
402 else {
403 $tsname = pg_fetch_result($res, 0, 0);
404 if ($tsname != 'default') {
405 print "<b>not set to default ($tsname)</b>";
406 print "<li>Attempting to change tsearch2 default locale to \"$ctype\"...";
407 $resetlocale = 1;
408 }
409 }
410 if ($resetlocale) {
411 $SQL = "UPDATE $safetsschema.pg_ts_cfg SET locale = '$ctype' WHERE ts_name = 'default'";
412 $res = $this->doQuery($SQL);
413 if (!$res) {
414 print "<b>FAILED</b>. ";
415 print "Please make sure that the locale in pg_ts_cfg for \"default\" is set to \"$ctype\"</li>\n";
416 dieout("</ul>");
417 }
418 print "OK</li>";
419 }
420
421 // Final test: try out a simple tsearch2 query
422 $SQL = "SELECT $safetsschema.to_tsvector('default','MediaWiki tsearch2 testing')";
423 $res = $this->doQuery($SQL);
424 if (!$res) {
425 print "<b>FAILED</b>. Specifically, \"$SQL\" did not work.</li>";
426 dieout("</ul>");
427 }
428 print "OK</li>";
429 }
430
431 // Install plpgsql if needed
432 $this->setup_plpgsql();
433
434 // Does the schema already exist? Who owns it?
435 $result = $this->schemaExists($wgDBmwschema);
436 if (!$result) {
437 print "<li>Creating schema <b>$wgDBmwschema</b> ...";
438 error_reporting( 0 );
439 $safeschema = $this->quote_ident($wgDBmwschema);
440 $result = $this->doQuery("CREATE SCHEMA $safeschema");
441 error_reporting( E_ALL );
442 if (!$result) {
443 print "<b>FAILED</b>. The user \"$wgDBuser\" must be able to access the schema. ".
444 "You can try making them the owner of the database, or try creating the schema with a ".
445 "different user, and then grant access to the \"$wgDBuser\" user.</li>\n";
446 dieout("</ul>");
447 }
448 print "OK</li>\n";
449 }
450 else if ($result != $wgDBuser) {
451 print "<li>Schema \"$wgDBmwschema\" exists but is not owned by \"$wgDBuser\". Not ideal.</li>\n";
452 }
453 else {
454 print "<li>Schema \"$wgDBmwschema\" exists and is owned by \"$wgDBuser\". Excellent.</li>\n";
455 }
456
457 // Always return GMT time to accomodate the existing integer-based timestamp assumption
458 print "<li>Setting the timezone to GMT for user \"$wgDBuser\" ...";
459 $SQL = "ALTER USER $safeuser SET timezone = 'GMT'";
460 $result = pg_query($this->mConn, $SQL);
461 if (!$result) {
462 print "<b>FAILED</b>.</li>\n";
463 dieout("</ul>");
464 }
465 print "OK</li>\n";
466 // Set for the rest of this session
467 $SQL = "SET timezone = 'GMT'";
468 $result = pg_query($this->mConn, $SQL);
469 if (!$result) {
470 print "<li>Failed to set timezone</li>\n";
471 dieout("</ul>");
472 }
473
474 print "<li>Setting the datestyle to ISO, YMD for user \"$wgDBuser\" ...";
475 $SQL = "ALTER USER $safeuser SET datestyle = 'ISO, YMD'";
476 $result = pg_query($this->mConn, $SQL);
477 if (!$result) {
478 print "<b>FAILED</b>.</li>\n";
479 dieout("</ul>");
480 }
481 print "OK</li>\n";
482 // Set for the rest of this session
483 $SQL = "SET datestyle = 'ISO, YMD'";
484 $result = pg_query($this->mConn, $SQL);
485 if (!$result) {
486 print "<li>Failed to set datestyle</li>\n";
487 dieout("</ul>");
488 }
489
490 // Fix up the search paths if needed
491 print "<li>Setting the search path for user \"$wgDBuser\" ...";
492 $path = $this->quote_ident($wgDBmwschema);
493 if ($wgDBts2schema !== $wgDBmwschema)
494 $path .= ", ". $this->quote_ident($wgDBts2schema);
495 if ($wgDBmwschema !== 'public' and $wgDBts2schema !== 'public')
496 $path .= ", public";
497 $SQL = "ALTER USER $safeuser SET search_path = $path";
498 $result = pg_query($this->mConn, $SQL);
499 if (!$result) {
500 print "<b>FAILED</b>.</li>\n";
501 dieout("</ul>");
502 }
503 print "OK</li>\n";
504 // Set for the rest of this session
505 $SQL = "SET search_path = $path";
506 $result = pg_query($this->mConn, $SQL);
507 if (!$result) {
508 print "<li>Failed to set search_path</li>\n";
509 dieout("</ul>");
510 }
511 define( "POSTGRES_SEARCHPATH", $path );
512 }
513 }
514
515
516 function setup_plpgsql() {
517 print "<li>Checking for Pl/Pgsql ...";
518 $SQL = "SELECT 1 FROM pg_catalog.pg_language WHERE lanname = 'plpgsql'";
519 $rows = $this->numRows($this->doQuery($SQL));
520 if ($rows < 1) {
521 // plpgsql is not installed, but if we have a pg_pltemplate table, we should be able to create it
522 print "not installed. Attempting to install Pl/Pgsql ...";
523 $SQL = "SELECT 1 FROM pg_catalog.pg_class c JOIN pg_catalog.pg_namespace n ON (n.oid = c.relnamespace) ".
524 "WHERE relname = 'pg_pltemplate' AND nspname='pg_catalog'";
525 $rows = $this->numRows($this->doQuery($SQL));
526 if ($rows >= 1) {
527 $olde = error_reporting(0);
528 error_reporting($olde - E_WARNING);
529 $result = $this->doQuery("CREATE LANGUAGE plpgsql");
530 error_reporting($olde);
531 if (!$result) {
532 print "<b>FAILED</b>. You need to install the language plpgsql in the database <tt>$wgDBname</tt></li>";
533 dieout("</ul>");
534 }
535 }
536 else {
537 print "<b>FAILED</b>. You need to install the language plpgsql in the database <tt>$wgDBname</tt></li>";
538 dieout("</ul>");
539 }
540 }
541 print "OK</li>\n";
542 }
543
544
545 /**
546 * Closes a database connection, if it is open
547 * Returns success, true if already closed
548 */
549 function close() {
550 $this->mOpened = false;
551 if ( $this->mConn ) {
552 return pg_close( $this->mConn );
553 } else {
554 return true;
555 }
556 }
557
558 function doQuery( $sql ) {
559 if (function_exists('mb_convert_encoding')) {
560 $sql = mb_convert_encoding($sql,'UTF-8');
561 }
562 $this->mLastResult = pg_query( $this->mConn, $sql);
563 $this->mAffectedRows = NULL; // use pg_affected_rows(mLastResult)
564 return $this->mLastResult;
565 }
566
567 function queryIgnore( $sql, $fname = '' ) {
568 return $this->query( $sql, $fname, true );
569 }
570
571 function freeResult( $res ) {
572 if ( $res instanceof ResultWrapper ) {
573 $res = $res->result;
574 }
575 if ( !@pg_free_result( $res ) ) {
576 throw new DBUnexpectedError($this, "Unable to free Postgres result\n" );
577 }
578 }
579
580 function fetchObject( $res ) {
581 if ( $res instanceof ResultWrapper ) {
582 $res = $res->result;
583 }
584 @$row = pg_fetch_object( $res );
585 # FIXME: HACK HACK HACK HACK debug
586
587 # TODO:
588 # hashar : not sure if the following test really trigger if the object
589 # fetching failed.
590 if( pg_last_error($this->mConn) ) {
591 throw new DBUnexpectedError($this, 'SQL error: ' . htmlspecialchars( pg_last_error($this->mConn) ) );
592 }
593 return $row;
594 }
595
596 function fetchRow( $res ) {
597 if ( $res instanceof ResultWrapper ) {
598 $res = $res->result;
599 }
600 @$row = pg_fetch_array( $res );
601 if( pg_last_error($this->mConn) ) {
602 throw new DBUnexpectedError($this, 'SQL error: ' . htmlspecialchars( pg_last_error($this->mConn) ) );
603 }
604 return $row;
605 }
606
607 function numRows( $res ) {
608 if ( $res instanceof ResultWrapper ) {
609 $res = $res->result;
610 }
611 @$n = pg_num_rows( $res );
612 if( pg_last_error($this->mConn) ) {
613 throw new DBUnexpectedError($this, 'SQL error: ' . htmlspecialchars( pg_last_error($this->mConn) ) );
614 }
615 return $n;
616 }
617 function numFields( $res ) {
618 if ( $res instanceof ResultWrapper ) {
619 $res = $res->result;
620 }
621 return pg_num_fields( $res );
622 }
623 function fieldName( $res, $n ) {
624 if ( $res instanceof ResultWrapper ) {
625 $res = $res->result;
626 }
627 return pg_field_name( $res, $n );
628 }
629
630 /**
631 * This must be called after nextSequenceVal
632 */
633 function insertId() {
634 return $this->mInsertId;
635 }
636
637 function dataSeek( $res, $row ) {
638 if ( $res instanceof ResultWrapper ) {
639 $res = $res->result;
640 }
641 return pg_result_seek( $res, $row );
642 }
643
644 function lastError() {
645 if ( $this->mConn ) {
646 return pg_last_error();
647 }
648 else {
649 return "No database connection";
650 }
651 }
652 function lastErrno() {
653 return pg_last_error() ? 1 : 0;
654 }
655
656 function affectedRows() {
657 if ( !is_null( $this->mAffectedRows ) ) {
658 // Forced result for simulated queries
659 return $this->mAffectedRows;
660 }
661 if( empty( $this->mLastResult ) )
662 return 0;
663 return pg_affected_rows( $this->mLastResult );
664 }
665
666 /**
667 * Estimate rows in dataset
668 * Returns estimated count, based on EXPLAIN output
669 * This is not necessarily an accurate estimate, so use sparingly
670 * Returns -1 if count cannot be found
671 * Takes same arguments as Database::select()
672 */
673
674 function estimateRowCount( $table, $vars='*', $conds='', $fname = 'Database::estimateRowCount', $options = array() ) {
675 $options['EXPLAIN'] = true;
676 $res = $this->select( $table, $vars, $conds, $fname, $options );
677 $rows = -1;
678 if ( $res ) {
679 $row = $this->fetchRow( $res );
680 $count = array();
681 if( preg_match( '/rows=(\d+)/', $row[0], $count ) ) {
682 $rows = $count[1];
683 }
684 $this->freeResult($res);
685 }
686 return $rows;
687 }
688
689
690 /**
691 * Returns information about an index
692 * If errors are explicitly ignored, returns NULL on failure
693 */
694 function indexInfo( $table, $index, $fname = 'Database::indexExists' ) {
695 $sql = "SELECT indexname FROM pg_indexes WHERE tablename='$table'";
696 $res = $this->query( $sql, $fname );
697 if ( !$res ) {
698 return NULL;
699 }
700 while ( $row = $this->fetchObject( $res ) ) {
701 if ( $row->indexname == $index ) {
702 return $row;
703 }
704 }
705 return false;
706 }
707
708 function indexUnique ($table, $index, $fname = 'Database::indexUnique' ) {
709 $sql = "SELECT indexname FROM pg_indexes WHERE tablename='{$table}'".
710 " AND indexdef LIKE 'CREATE UNIQUE%({$index})'";
711 $res = $this->query( $sql, $fname );
712 if ( !$res )
713 return NULL;
714 while ($row = $this->fetchObject( $res ))
715 return true;
716 return false;
717
718 }
719
720 /**
721 * INSERT wrapper, inserts an array into a table
722 *
723 * $args may be a single associative array, or an array of these with numeric keys,
724 * for multi-row insert (Postgres version 8.2 and above only).
725 *
726 * @param $table String: Name of the table to insert to.
727 * @param $args Array: Items to insert into the table.
728 * @param $fname String: Name of the function, for profiling
729 * @param $options String or Array. Valid options: IGNORE
730 *
731 * @return bool Success of insert operation. IGNORE always returns true.
732 */
733 function insert( $table, $args, $fname = 'DatabasePostgres::insert', $options = array() ) {
734 global $wgDBversion;
735
736 if ( !count( $args ) ) {
737 return true;
738 }
739
740 $table = $this->tableName( $table );
741 if (! isset( $wgDBversion ) ) {
742 $wgDBversion = $this->getServerVersion();
743 }
744
745 if ( !is_array( $options ) )
746 $options = array( $options );
747
748 if ( isset( $args[0] ) && is_array( $args[0] ) ) {
749 $multi = true;
750 $keys = array_keys( $args[0] );
751 }
752 else {
753 $multi = false;
754 $keys = array_keys( $args );
755 }
756
757 // If IGNORE is set, we use savepoints to emulate mysql's behavior
758 $ignore = in_array( 'IGNORE', $options ) ? 'mw' : '';
759
760 // If we are not in a transaction, we need to be for savepoint trickery
761 $didbegin = 0;
762 if ( $ignore ) {
763 if (! $this->mTrxLevel) {
764 $this->begin();
765 $didbegin = 1;
766 }
767 $olde = error_reporting( 0 );
768 // For future use, we may want to track the number of actual inserts
769 // Right now, insert (all writes) simply return true/false
770 $numrowsinserted = 0;
771 }
772
773 $sql = "INSERT INTO $table (" . implode( ',', $keys ) . ') VALUES ';
774
775 if ( $multi ) {
776 if ( $wgDBversion >= 8.2 && !$ignore ) {
777 $first = true;
778 foreach ( $args as $row ) {
779 if ( $first ) {
780 $first = false;
781 } else {
782 $sql .= ',';
783 }
784 $sql .= '(' . $this->makeList( $row ) . ')';
785 }
786 $res = (bool)$this->query( $sql, $fname, $ignore );
787 }
788 else {
789 $res = true;
790 $origsql = $sql;
791 foreach ( $args as $row ) {
792 $tempsql = $origsql;
793 $tempsql .= '(' . $this->makeList( $row ) . ')';
794
795 if ( $ignore ) {
796 pg_query($this->mConn, "SAVEPOINT $ignore");
797 }
798
799 $tempres = (bool)$this->query( $tempsql, $fname, $ignore );
800
801 if ( $ignore ) {
802 $bar = pg_last_error();
803 if ($bar != false) {
804 pg_query( $this->mConn, "ROLLBACK TO $ignore" );
805 }
806 else {
807 pg_query( $this->mConn, "RELEASE $ignore" );
808 $numrowsinserted++;
809 }
810 }
811
812 // If any of them fail, we fail overall for this function call
813 // Note that this will be ignored if IGNORE is set
814 if (! $tempres)
815 $res = false;
816 }
817 }
818 }
819 else {
820 // Not multi, just a lone insert
821 if ( $ignore ) {
822 pg_query($this->mConn, "SAVEPOINT $ignore");
823 }
824
825 $sql .= '(' . $this->makeList( $args ) . ')';
826 $res = (bool)$this->query( $sql, $fname, $ignore );
827 if ( $ignore ) {
828 $bar = pg_last_error();
829 if ($bar != false) {
830 pg_query( $this->mConn, "ROLLBACK TO $ignore" );
831 }
832 else {
833 pg_query( $this->mConn, "RELEASE $ignore" );
834 $numrowsinserted++;
835 }
836 }
837 }
838 if ( $ignore ) {
839 $olde = error_reporting( $olde );
840 if ($didbegin) {
841 $this->commit();
842 }
843
844 // Set the affected row count for the whole operation
845 $this->mAffectedRows = $numrowsinserted;
846
847 // IGNORE always returns true
848 return true;
849 }
850
851
852 return $res;
853
854 }
855
856 function tableName( $name ) {
857 # Replace reserved words with better ones
858 switch( $name ) {
859 case 'user':
860 return 'mwuser';
861 case 'text':
862 return 'pagecontent';
863 default:
864 return $name;
865 }
866 }
867
868 /**
869 * Return the next in a sequence, save the value for retrieval via insertId()
870 */
871 function nextSequenceValue( $seqName ) {
872 $safeseq = preg_replace( "/'/", "''", $seqName );
873 $res = $this->query( "SELECT nextval('$safeseq')" );
874 $row = $this->fetchRow( $res );
875 $this->mInsertId = $row[0];
876 $this->freeResult( $res );
877 return $this->mInsertId;
878 }
879
880 /**
881 * Return the current value of a sequence. Assumes it has ben nextval'ed in this session.
882 */
883 function currentSequenceValue( $seqName ) {
884 $safeseq = preg_replace( "/'/", "''", $seqName );
885 $res = $this->query( "SELECT currval('$safeseq')" );
886 $row = $this->fetchRow( $res );
887 $currval = $row[0];
888 $this->freeResult( $res );
889 return $currval;
890 }
891
892 /**
893 * Postgres does not have a "USE INDEX" clause, so return an empty string
894 */
895 function useIndexClause( $index ) {
896 return '';
897 }
898
899 # REPLACE query wrapper
900 # Postgres simulates this with a DELETE followed by INSERT
901 # $row is the row to insert, an associative array
902 # $uniqueIndexes is an array of indexes. Each element may be either a
903 # field name or an array of field names
904 #
905 # It may be more efficient to leave off unique indexes which are unlikely to collide.
906 # However if you do this, you run the risk of encountering errors which wouldn't have
907 # occurred in MySQL
908 function replace( $table, $uniqueIndexes, $rows, $fname = 'Database::replace' ) {
909 $table = $this->tableName( $table );
910
911 if (count($rows)==0) {
912 return;
913 }
914
915 # Single row case
916 if ( !is_array( reset( $rows ) ) ) {
917 $rows = array( $rows );
918 }
919
920 foreach( $rows as $row ) {
921 # Delete rows which collide
922 if ( $uniqueIndexes ) {
923 $sql = "DELETE FROM $table WHERE ";
924 $first = true;
925 foreach ( $uniqueIndexes as $index ) {
926 if ( $first ) {
927 $first = false;
928 $sql .= "(";
929 } else {
930 $sql .= ') OR (';
931 }
932 if ( is_array( $index ) ) {
933 $first2 = true;
934 foreach ( $index as $col ) {
935 if ( $first2 ) {
936 $first2 = false;
937 } else {
938 $sql .= ' AND ';
939 }
940 $sql .= $col.'=' . $this->addQuotes( $row[$col] );
941 }
942 } else {
943 $sql .= $index.'=' . $this->addQuotes( $row[$index] );
944 }
945 }
946 $sql .= ')';
947 $this->query( $sql, $fname );
948 }
949
950 # Now insert the row
951 $sql = "INSERT INTO $table (" . $this->makeList( array_keys( $row ), LIST_NAMES ) .') VALUES (' .
952 $this->makeList( $row, LIST_COMMA ) . ')';
953 $this->query( $sql, $fname );
954 }
955 }
956
957 # DELETE where the condition is a join
958 function deleteJoin( $delTable, $joinTable, $delVar, $joinVar, $conds, $fname = "Database::deleteJoin" ) {
959 if ( !$conds ) {
960 throw new DBUnexpectedError($this, 'Database::deleteJoin() called with empty $conds' );
961 }
962
963 $delTable = $this->tableName( $delTable );
964 $joinTable = $this->tableName( $joinTable );
965 $sql = "DELETE FROM $delTable WHERE $delVar IN (SELECT $joinVar FROM $joinTable ";
966 if ( $conds != '*' ) {
967 $sql .= 'WHERE ' . $this->makeList( $conds, LIST_AND );
968 }
969 $sql .= ')';
970
971 $this->query( $sql, $fname );
972 }
973
974 # Returns the size of a text field, or -1 for "unlimited"
975 function textFieldSize( $table, $field ) {
976 $table = $this->tableName( $table );
977 $sql = "SELECT t.typname as ftype,a.atttypmod as size
978 FROM pg_class c, pg_attribute a, pg_type t
979 WHERE relname='$table' AND a.attrelid=c.oid AND
980 a.atttypid=t.oid and a.attname='$field'";
981 $res =$this->query($sql);
982 $row=$this->fetchObject($res);
983 if ($row->ftype=="varchar") {
984 $size=$row->size-4;
985 } else {
986 $size=$row->size;
987 }
988 $this->freeResult( $res );
989 return $size;
990 }
991
992 function lowPriorityOption() {
993 return '';
994 }
995
996 function limitResult($sql, $limit, $offset=false) {
997 return "$sql LIMIT $limit ".(is_numeric($offset)?" OFFSET {$offset} ":"");
998 }
999
1000 /**
1001 * Returns an SQL expression for a simple conditional.
1002 * Uses CASE on Postgres
1003 *
1004 * @param $cond String: SQL expression which will result in a boolean value
1005 * @param $trueVal String: SQL expression to return if true
1006 * @param $falseVal String: SQL expression to return if false
1007 * @return String: SQL fragment
1008 */
1009 function conditional( $cond, $trueVal, $falseVal ) {
1010 return " (CASE WHEN $cond THEN $trueVal ELSE $falseVal END) ";
1011 }
1012
1013 function wasDeadlock() {
1014 return $this->lastErrno() == '40P01';
1015 }
1016
1017 function timestamp( $ts=0 ) {
1018 return wfTimestamp(TS_POSTGRES,$ts);
1019 }
1020
1021 /**
1022 * Return aggregated value function call
1023 */
1024 function aggregateValue ($valuedata,$valuename='value') {
1025 return $valuedata;
1026 }
1027
1028
1029 function reportQueryError( $error, $errno, $sql, $fname, $tempIgnore = false ) {
1030 // Ignore errors during error handling to avoid infinite recursion
1031 $ignore = $this->ignoreErrors( true );
1032 $this->mErrorCount++;
1033
1034 if ($ignore || $tempIgnore) {
1035 wfDebug("SQL ERROR (ignored): $error\n");
1036 $this->ignoreErrors( $ignore );
1037 }
1038 else {
1039 $message = "A database error has occurred\n" .
1040 "Query: $sql\n" .
1041 "Function: $fname\n" .
1042 "Error: $errno $error\n";
1043 throw new DBUnexpectedError($this, $message);
1044 }
1045 }
1046
1047 /**
1048 * @return string wikitext of a link to the server software's web site
1049 */
1050 function getSoftwareLink() {
1051 return "[http://www.postgresql.org/ PostgreSQL]";
1052 }
1053
1054 /**
1055 * @return string Version information from the database
1056 */
1057 function getServerVersion() {
1058 $versionInfo = pg_version( $this->mConn );
1059 if ( isset( $versionInfo['server'] ) ) {
1060 $this->numeric_version = $versionInfo['server'];
1061 } else {
1062 // There's no way to identify the precise version before 7.4, but
1063 // it doesn't matter anyway since we're just going to give an error.
1064 $this->numeric_version = '7.3 or earlier';
1065 }
1066 return $this->numeric_version;
1067 }
1068
1069 /**
1070 * Query whether a given relation exists (in the given schema, or the
1071 * default mw one if not given)
1072 */
1073 function relationExists( $table, $types, $schema = false ) {
1074 global $wgDBmwschema;
1075 if (!is_array($types))
1076 $types = array($types);
1077 if (! $schema )
1078 $schema = $wgDBmwschema;
1079 $etable = $this->addQuotes($table);
1080 $eschema = $this->addQuotes($schema);
1081 $SQL = "SELECT 1 FROM pg_catalog.pg_class c, pg_catalog.pg_namespace n "
1082 . "WHERE c.relnamespace = n.oid AND c.relname = $etable AND n.nspname = $eschema "
1083 . "AND c.relkind IN ('" . implode("','", $types) . "')";
1084 $res = $this->query( $SQL );
1085 $count = $res ? $res->numRows() : 0;
1086 if ($res)
1087 $this->freeResult( $res );
1088 return $count ? true : false;
1089 }
1090
1091 /*
1092 * For backward compatibility, this function checks both tables and
1093 * views.
1094 */
1095 function tableExists ($table, $schema = false) {
1096 return $this->relationExists($table, array('r', 'v'), $schema);
1097 }
1098
1099 function sequenceExists ($sequence, $schema = false) {
1100 return $this->relationExists($sequence, 'S', $schema);
1101 }
1102
1103 function triggerExists($table, $trigger) {
1104 global $wgDBmwschema;
1105
1106 $q = <<<END
1107 SELECT 1 FROM pg_class, pg_namespace, pg_trigger
1108 WHERE relnamespace=pg_namespace.oid AND relkind='r'
1109 AND tgrelid=pg_class.oid
1110 AND nspname=%s AND relname=%s AND tgname=%s
1111 END;
1112 $res = $this->query(sprintf($q,
1113 $this->addQuotes($wgDBmwschema),
1114 $this->addQuotes($table),
1115 $this->addQuotes($trigger)));
1116 if (!$res)
1117 return NULL;
1118 $rows = $res->numRows();
1119 $this->freeResult($res);
1120 return $rows;
1121 }
1122
1123 function ruleExists($table, $rule) {
1124 global $wgDBmwschema;
1125 $exists = $this->selectField("pg_rules", "rulename",
1126 array( "rulename" => $rule,
1127 "tablename" => $table,
1128 "schemaname" => $wgDBmwschema));
1129 return $exists === $rule;
1130 }
1131
1132 function constraintExists($table, $constraint) {
1133 global $wgDBmwschema;
1134 $SQL = sprintf("SELECT 1 FROM information_schema.table_constraints ".
1135 "WHERE constraint_schema = %s AND table_name = %s AND constraint_name = %s",
1136 $this->addQuotes($wgDBmwschema),
1137 $this->addQuotes($table),
1138 $this->addQuotes($constraint));
1139 $res = $this->query($SQL);
1140 if (!$res)
1141 return NULL;
1142 $rows = $res->numRows();
1143 $this->freeResult($res);
1144 return $rows;
1145 }
1146
1147 /**
1148 * Query whether a given schema exists. Returns the name of the owner
1149 */
1150 function schemaExists( $schema ) {
1151 $eschema = preg_replace("/'/", "''", $schema);
1152 $SQL = "SELECT rolname FROM pg_catalog.pg_namespace n, pg_catalog.pg_roles r "
1153 ."WHERE n.nspowner=r.oid AND n.nspname = '$eschema'";
1154 $res = $this->query( $SQL );
1155 if ( $res && $res->numRows() ) {
1156 $row = $res->fetchObject();
1157 $owner = $row->rolname;
1158 } else {
1159 $owner = false;
1160 }
1161 if ($res)
1162 $this->freeResult($res);
1163 return $owner;
1164 }
1165
1166 /**
1167 * Query whether a given column exists in the mediawiki schema
1168 */
1169 function fieldExists( $table, $field, $fname = 'DatabasePostgres::fieldExists' ) {
1170 global $wgDBmwschema;
1171 $etable = preg_replace("/'/", "''", $table);
1172 $eschema = preg_replace("/'/", "''", $wgDBmwschema);
1173 $ecol = preg_replace("/'/", "''", $field);
1174 $SQL = "SELECT 1 FROM pg_catalog.pg_class c, pg_catalog.pg_namespace n, pg_catalog.pg_attribute a "
1175 . "WHERE c.relnamespace = n.oid AND c.relname = '$etable' AND n.nspname = '$eschema' "
1176 . "AND a.attrelid = c.oid AND a.attname = '$ecol'";
1177 $res = $this->query( $SQL, $fname );
1178 $count = $res ? $res->numRows() : 0;
1179 if ($res)
1180 $this->freeResult( $res );
1181 return $count;
1182 }
1183
1184 function fieldInfo( $table, $field ) {
1185 return PostgresField::fromText($this, $table, $field);
1186 }
1187
1188 /**
1189 * pg_field_type() wrapper
1190 */
1191 function fieldType( $res, $index ) {
1192 if ( $res instanceof ResultWrapper ) {
1193 $res = $res->result;
1194 }
1195 return pg_field_type( $res, $index );
1196 }
1197
1198 function begin( $fname = 'DatabasePostgres::begin' ) {
1199 $this->query( 'BEGIN', $fname );
1200 $this->mTrxLevel = 1;
1201 }
1202 function immediateCommit( $fname = 'DatabasePostgres::immediateCommit' ) {
1203 return true;
1204 }
1205 function commit( $fname = 'DatabasePostgres::commit' ) {
1206 $this->query( 'COMMIT', $fname );
1207 $this->mTrxLevel = 0;
1208 }
1209
1210 /* Not even sure why this is used in the main codebase... */
1211 function limitResultForUpdate($sql, $num) {
1212 return $sql;
1213 }
1214
1215 function setup_database() {
1216 global $wgVersion, $wgDBmwschema, $wgDBts2schema, $wgDBport, $wgDBuser;
1217
1218 // Make sure that we can write to the correct schema
1219 // If not, Postgres will happily and silently go to the next search_path item
1220 $ctest = "mediawiki_test_table";
1221 $safeschema = $this->quote_ident($wgDBmwschema);
1222 if ($this->tableExists($ctest, $wgDBmwschema)) {
1223 $this->doQuery("DROP TABLE $safeschema.$ctest");
1224 }
1225 $SQL = "CREATE TABLE $safeschema.$ctest(a int)";
1226 $olde = error_reporting( 0 );
1227 $res = $this->doQuery($SQL);
1228 error_reporting( $olde );
1229 if (!$res) {
1230 print "<b>FAILED</b>. Make sure that the user \"$wgDBuser\" can write to the schema \"$wgDBmwschema\"</li>\n";
1231 dieout("</ul>");
1232 }
1233 $this->doQuery("DROP TABLE $safeschema.$ctest");
1234
1235 $res = dbsource( "../maintenance/postgres/tables.sql", $this);
1236
1237 ## Update version information
1238 $mwv = $this->addQuotes($wgVersion);
1239 $pgv = $this->addQuotes($this->getServerVersion());
1240 $pgu = $this->addQuotes($this->mUser);
1241 $mws = $this->addQuotes($wgDBmwschema);
1242 $tss = $this->addQuotes($wgDBts2schema);
1243 $pgp = $this->addQuotes($wgDBport);
1244 $dbn = $this->addQuotes($this->mDBname);
1245 $ctype = pg_fetch_result($this->doQuery("SHOW lc_ctype"),0,0);
1246
1247 $SQL = "UPDATE mediawiki_version SET mw_version=$mwv, pg_version=$pgv, pg_user=$pgu, ".
1248 "mw_schema = $mws, ts2_schema = $tss, pg_port=$pgp, pg_dbname=$dbn, ".
1249 "ctype = '$ctype' ".
1250 "WHERE type = 'Creation'";
1251 $this->query($SQL);
1252
1253 ## Avoid the non-standard "REPLACE INTO" syntax
1254 $f = fopen( "../maintenance/interwiki.sql", 'r' );
1255 if ($f == false ) {
1256 dieout( "<li>Could not find the interwiki.sql file");
1257 }
1258 ## We simply assume it is already empty as we have just created it
1259 $SQL = "INSERT INTO interwiki(iw_prefix,iw_url,iw_local) VALUES ";
1260 while ( ! feof( $f ) ) {
1261 $line = fgets($f,1024);
1262 $matches = array();
1263 if (!preg_match('/^\s*(\(.+?),(\d)\)/', $line, $matches)) {
1264 continue;
1265 }
1266 $this->query("$SQL $matches[1],$matches[2])");
1267 }
1268 print " (table interwiki successfully populated)...\n";
1269
1270 $this->doQuery("COMMIT");
1271 }
1272
1273 function encodeBlob( $b ) {
1274 return new Blob ( pg_escape_bytea( $b ) ) ;
1275 }
1276
1277 function decodeBlob( $b ) {
1278 if ($b instanceof Blob) {
1279 $b = $b->fetch();
1280 }
1281 return pg_unescape_bytea( $b );
1282 }
1283
1284 function strencode( $s ) { ## Should not be called by us
1285 return pg_escape_string( $s );
1286 }
1287
1288 function addQuotes( $s ) {
1289 if ( is_null( $s ) ) {
1290 return 'NULL';
1291 } else if ( is_bool( $s ) ) {
1292 return intval( $s );
1293 } else if ($s instanceof Blob) {
1294 return "'".$s->fetch($s)."'";
1295 }
1296 return "'" . pg_escape_string($s) . "'";
1297 }
1298
1299 function quote_ident( $s ) {
1300 return '"' . preg_replace( '/"/', '""', $s) . '"';
1301 }
1302
1303 /* For now, does nothing */
1304 function selectDB( $db ) {
1305 return true;
1306 }
1307
1308 /**
1309 * Postgres specific version of replaceVars.
1310 * Calls the parent version in Database.php
1311 *
1312 * @private
1313 *
1314 * @param $ins String: SQL string, read from a stream (usually tables.sql)
1315 *
1316 * @return string SQL string
1317 */
1318 protected function replaceVars( $ins ) {
1319
1320 $ins = parent::replaceVars( $ins );
1321
1322 if ($this->numeric_version >= 8.3) {
1323 // Thanks for not providing backwards-compatibility, 8.3
1324 $ins = preg_replace( "/to_tsvector\s*\(\s*'default'\s*,/", 'to_tsvector(', $ins );
1325 }
1326
1327 if ($this->numeric_version <= 8.1) { // Our minimum version
1328 $ins = str_replace( 'USING gin', 'USING gist', $ins );
1329 }
1330
1331 return $ins;
1332 }
1333
1334 /**
1335 * Various select options
1336 *
1337 * @private
1338 *
1339 * @param $options Array: an associative array of options to be turned into
1340 * an SQL query, valid keys are listed in the function.
1341 * @return array
1342 */
1343 function makeSelectOptions( $options ) {
1344 $preLimitTail = $postLimitTail = '';
1345 $startOpts = $useIndex = '';
1346
1347 $noKeyOptions = array();
1348 foreach ( $options as $key => $option ) {
1349 if ( is_numeric( $key ) ) {
1350 $noKeyOptions[$option] = true;
1351 }
1352 }
1353
1354 if ( isset( $options['GROUP BY'] ) ) $preLimitTail .= " GROUP BY " . $options['GROUP BY'];
1355 if ( isset( $options['HAVING'] ) ) $preLimitTail .= " HAVING {$options['HAVING']}";
1356 if ( isset( $options['ORDER BY'] ) ) $preLimitTail .= " ORDER BY " . $options['ORDER BY'];
1357
1358 //if (isset($options['LIMIT'])) {
1359 // $tailOpts .= $this->limitResult('', $options['LIMIT'],
1360 // isset($options['OFFSET']) ? $options['OFFSET']
1361 // : false);
1362 //}
1363
1364 if ( isset( $noKeyOptions['FOR UPDATE'] ) ) $postLimitTail .= ' FOR UPDATE';
1365 if ( isset( $noKeyOptions['LOCK IN SHARE MODE'] ) ) $postLimitTail .= ' LOCK IN SHARE MODE';
1366 if ( isset( $noKeyOptions['DISTINCT'] ) || isset( $noKeyOptions['DISTINCTROW'] ) ) $startOpts .= 'DISTINCT';
1367
1368 return array( $startOpts, $useIndex, $preLimitTail, $postLimitTail );
1369 }
1370
1371 public function setTimeout( $timeout ) {
1372 // @todo fixme no-op
1373 }
1374
1375 function ping() {
1376 wfDebug( "Function ping() not written for DatabasePostgres.php yet");
1377 return true;
1378 }
1379
1380 /**
1381 * How lagged is this slave?
1382 *
1383 */
1384 public function getLag() {
1385 # Not implemented for PostgreSQL
1386 return false;
1387 }
1388
1389 function setFakeSlaveLag( $lag ) {}
1390 function setFakeMaster( $enabled = true ) {}
1391
1392 function getDBname() {
1393 return $this->mDBname;
1394 }
1395
1396 function getServer() {
1397 return $this->mServer;
1398 }
1399
1400 function buildConcat( $stringList ) {
1401 return implode( ' || ', $stringList );
1402 }
1403
1404 /* These are not used yet, but we know we don't want the default version */
1405
1406 public function lock( $lockName, $method ) {
1407 return true;
1408 }
1409 public function unlock( $lockName, $method ) {
1410 return true;
1411 }
1412
1413 public function getSearchEngine() {
1414 return "SearchPostgres";
1415 }
1416
1417 } // end DatabasePostgres class