fix some spacing
[lhc/web/wiklou.git] / includes / db / Database.php
1 <?php
2 /**
3 * @defgroup Database Database
4 *
5 * This file deals with database interface functions
6 * and query specifics/optimisations.
7 *
8 * This program is free software; you can redistribute it and/or modify
9 * it under the terms of the GNU General Public License as published by
10 * the Free Software Foundation; either version 2 of the License, or
11 * (at your option) any later version.
12 *
13 * This program is distributed in the hope that it will be useful,
14 * but WITHOUT ANY WARRANTY; without even the implied warranty of
15 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
16 * GNU General Public License for more details.
17 *
18 * You should have received a copy of the GNU General Public License along
19 * with this program; if not, write to the Free Software Foundation, Inc.,
20 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
21 * http://www.gnu.org/copyleft/gpl.html
22 *
23 * @file
24 * @ingroup Database
25 */
26
27 /** Number of times to re-try an operation in case of deadlock */
28 define( 'DEADLOCK_TRIES', 4 );
29 /** Minimum time to wait before retry, in microseconds */
30 define( 'DEADLOCK_DELAY_MIN', 500000 );
31 /** Maximum time to wait before retry */
32 define( 'DEADLOCK_DELAY_MAX', 1500000 );
33
34 /**
35 * Base interface for all DBMS-specific code. At a bare minimum, all of the
36 * following must be implemented to support MediaWiki
37 *
38 * @file
39 * @ingroup Database
40 */
41 interface DatabaseType {
42 /**
43 * Get the type of the DBMS, as it appears in $wgDBtype.
44 *
45 * @return string
46 */
47 function getType();
48
49 /**
50 * Open a connection to the database. Usually aborts on failure
51 *
52 * @param $server String: database server host
53 * @param $user String: database user name
54 * @param $password String: database user password
55 * @param $dbName String: database name
56 * @return bool
57 * @throws DBConnectionError
58 */
59 function open( $server, $user, $password, $dbName );
60
61 /**
62 * Fetch the next row from the given result object, in object form.
63 * Fields can be retrieved with $row->fieldname, with fields acting like
64 * member variables.
65 * If no more rows are available, false is returned.
66 *
67 * @param $res ResultWrapper|object as returned from DatabaseBase::query(), etc.
68 * @return object|bool
69 * @throws DBUnexpectedError Thrown if the database returns an error
70 */
71 function fetchObject( $res );
72
73 /**
74 * Fetch the next row from the given result object, in associative array
75 * form. Fields are retrieved with $row['fieldname'].
76 * If no more rows are available, false is returned.
77 *
78 * @param $res ResultWrapper result object as returned from DatabaseBase::query(), etc.
79 * @return array|bool
80 * @throws DBUnexpectedError Thrown if the database returns an error
81 */
82 function fetchRow( $res );
83
84 /**
85 * Get the number of rows in a result object
86 *
87 * @param $res Mixed: A SQL result
88 * @return int
89 */
90 function numRows( $res );
91
92 /**
93 * Get the number of fields in a result object
94 * @see http://www.php.net/mysql_num_fields
95 *
96 * @param $res Mixed: A SQL result
97 * @return int
98 */
99 function numFields( $res );
100
101 /**
102 * Get a field name in a result object
103 * @see http://www.php.net/mysql_field_name
104 *
105 * @param $res Mixed: A SQL result
106 * @param $n Integer
107 * @return string
108 */
109 function fieldName( $res, $n );
110
111 /**
112 * Get the inserted value of an auto-increment row
113 *
114 * The value inserted should be fetched from nextSequenceValue()
115 *
116 * Example:
117 * $id = $dbw->nextSequenceValue( 'page_page_id_seq' );
118 * $dbw->insert( 'page', array( 'page_id' => $id ) );
119 * $id = $dbw->insertId();
120 *
121 * @return int
122 */
123 function insertId();
124
125 /**
126 * Change the position of the cursor in a result object
127 * @see http://www.php.net/mysql_data_seek
128 *
129 * @param $res Mixed: A SQL result
130 * @param $row Mixed: Either MySQL row or ResultWrapper
131 */
132 function dataSeek( $res, $row );
133
134 /**
135 * Get the last error number
136 * @see http://www.php.net/mysql_errno
137 *
138 * @return int
139 */
140 function lastErrno();
141
142 /**
143 * Get a description of the last error
144 * @see http://www.php.net/mysql_error
145 *
146 * @return string
147 */
148 function lastError();
149
150 /**
151 * mysql_fetch_field() wrapper
152 * Returns false if the field doesn't exist
153 *
154 * @param $table string: table name
155 * @param $field string: field name
156 *
157 * @return Field
158 */
159 function fieldInfo( $table, $field );
160
161 /**
162 * Get information about an index into an object
163 * @param $table string: Table name
164 * @param $index string: Index name
165 * @param $fname string: Calling function name
166 * @return Mixed: Database-specific index description class or false if the index does not exist
167 */
168 function indexInfo( $table, $index, $fname = 'Database::indexInfo' );
169
170 /**
171 * Get the number of rows affected by the last write query
172 * @see http://www.php.net/mysql_affected_rows
173 *
174 * @return int
175 */
176 function affectedRows();
177
178 /**
179 * Wrapper for addslashes()
180 *
181 * @param $s string: to be slashed.
182 * @return string: slashed string.
183 */
184 function strencode( $s );
185
186 /**
187 * Returns a wikitext link to the DB's website, e.g.,
188 * return "[http://www.mysql.com/ MySQL]";
189 * Should at least contain plain text, if for some reason
190 * your database has no website.
191 *
192 * @return string: wikitext of a link to the server software's web site
193 */
194 static function getSoftwareLink();
195
196 /**
197 * A string describing the current software version, like from
198 * mysql_get_server_info().
199 *
200 * @return string: Version information from the database server.
201 */
202 function getServerVersion();
203
204 /**
205 * A string describing the current software version, and possibly
206 * other details in a user-friendly way. Will be listed on Special:Version, etc.
207 * Use getServerVersion() to get machine-friendly information.
208 *
209 * @return string: Version information from the database server
210 */
211 function getServerInfo();
212 }
213
214 /**
215 * Database abstraction object
216 * @ingroup Database
217 */
218 abstract class DatabaseBase implements DatabaseType {
219
220 # ------------------------------------------------------------------------------
221 # Variables
222 # ------------------------------------------------------------------------------
223
224 protected $mLastQuery = '';
225 protected $mDoneWrites = false;
226 protected $mPHPError = false;
227
228 protected $mServer, $mUser, $mPassword, $mDBname;
229
230 protected $mConn = null;
231 protected $mOpened = false;
232
233 /**
234 * @since 1.20
235 * @var array of Closure
236 */
237 protected $mTrxIdleCallbacks = array();
238
239 protected $mTablePrefix;
240 protected $mFlags;
241 protected $mTrxLevel = 0;
242 protected $mErrorCount = 0;
243 protected $mLBInfo = array();
244 protected $mFakeSlaveLag = null, $mFakeMaster = false;
245 protected $mDefaultBigSelects = null;
246 protected $mSchemaVars = false;
247
248 protected $preparedArgs;
249
250 protected $htmlErrors;
251
252 protected $delimiter = ';';
253
254 /**
255 * Remembers the function name given for starting the most recent transaction via begin().
256 * Used to provide additional context for error reporting.
257 *
258 * @var String
259 * @see DatabaseBase::mTrxLevel
260 */
261 private $mTrxFname = null;
262
263 /**
264 * Record if possible write queries were done in the last transaction started
265 *
266 * @var Bool
267 * @see DatabaseBase::mTrxLevel
268 */
269 private $mTrxDoneWrites = false;
270
271 /**
272 * Record if the current transaction was started implicitly due to DBO_TRX being set.
273 *
274 * @var Bool
275 * @see DatabaseBase::mTrxLevel
276 */
277 private $mTrxAutomatic = false;
278
279 /**
280 * @since 1.21
281 * @var file handle for upgrade
282 */
283 protected $fileHandle = null;
284
285 # ------------------------------------------------------------------------------
286 # Accessors
287 # ------------------------------------------------------------------------------
288 # These optionally set a variable and return the previous state
289
290 /**
291 * A string describing the current software version, and possibly
292 * other details in a user-friendly way. Will be listed on Special:Version, etc.
293 * Use getServerVersion() to get machine-friendly information.
294 *
295 * @return string: Version information from the database server
296 */
297 public function getServerInfo() {
298 return $this->getServerVersion();
299 }
300
301 /**
302 * @return string: command delimiter used by this database engine
303 */
304 public function getDelimiter() {
305 return $this->delimiter;
306 }
307
308 /**
309 * Boolean, controls output of large amounts of debug information.
310 * @param $debug bool|null
311 * - true to enable debugging
312 * - false to disable debugging
313 * - omitted or null to do nothing
314 *
315 * @return bool|null previous value of the flag
316 */
317 public function debug( $debug = null ) {
318 return wfSetBit( $this->mFlags, DBO_DEBUG, $debug );
319 }
320
321 /**
322 * Turns buffering of SQL result sets on (true) or off (false). Default is
323 * "on".
324 *
325 * Unbuffered queries are very troublesome in MySQL:
326 *
327 * - If another query is executed while the first query is being read
328 * out, the first query is killed. This means you can't call normal
329 * MediaWiki functions while you are reading an unbuffered query result
330 * from a normal wfGetDB() connection.
331 *
332 * - Unbuffered queries cause the MySQL server to use large amounts of
333 * memory and to hold broad locks which block other queries.
334 *
335 * If you want to limit client-side memory, it's almost always better to
336 * split up queries into batches using a LIMIT clause than to switch off
337 * buffering.
338 *
339 * @param $buffer null|bool
340 *
341 * @return null|bool The previous value of the flag
342 */
343 public function bufferResults( $buffer = null ) {
344 if ( is_null( $buffer ) ) {
345 return !(bool)( $this->mFlags & DBO_NOBUFFER );
346 } else {
347 return !wfSetBit( $this->mFlags, DBO_NOBUFFER, !$buffer );
348 }
349 }
350
351 /**
352 * Turns on (false) or off (true) the automatic generation and sending
353 * of a "we're sorry, but there has been a database error" page on
354 * database errors. Default is on (false). When turned off, the
355 * code should use lastErrno() and lastError() to handle the
356 * situation as appropriate.
357 *
358 * @param $ignoreErrors bool|null
359 *
360 * @return bool The previous value of the flag.
361 */
362 public function ignoreErrors( $ignoreErrors = null ) {
363 return wfSetBit( $this->mFlags, DBO_IGNORE, $ignoreErrors );
364 }
365
366 /**
367 * Gets or sets the current transaction level.
368 *
369 * Historically, transactions were allowed to be "nested". This is no
370 * longer supported, so this function really only returns a boolean.
371 *
372 * @param $level int An integer (0 or 1), or omitted to leave it unchanged.
373 * @return int The previous value
374 */
375 public function trxLevel( $level = null ) {
376 return wfSetVar( $this->mTrxLevel, $level );
377 }
378
379 /**
380 * Get/set the number of errors logged. Only useful when errors are ignored
381 * @param $count int The count to set, or omitted to leave it unchanged.
382 * @return int The error count
383 */
384 public function errorCount( $count = null ) {
385 return wfSetVar( $this->mErrorCount, $count );
386 }
387
388 /**
389 * Get/set the table prefix.
390 * @param $prefix string The table prefix to set, or omitted to leave it unchanged.
391 * @return string The previous table prefix.
392 */
393 public function tablePrefix( $prefix = null ) {
394 return wfSetVar( $this->mTablePrefix, $prefix );
395 }
396
397 /**
398 * Set the filehandle to copy write statements to.
399 *
400 * @param $fh filehandle
401 */
402 public function setFileHandle( $fh ) {
403 $this->fileHandle = $fh;
404 }
405
406 /**
407 * Get properties passed down from the server info array of the load
408 * balancer.
409 *
410 * @param $name string The entry of the info array to get, or null to get the
411 * whole array
412 *
413 * @return LoadBalancer|null
414 */
415 public function getLBInfo( $name = null ) {
416 if ( is_null( $name ) ) {
417 return $this->mLBInfo;
418 } else {
419 if ( array_key_exists( $name, $this->mLBInfo ) ) {
420 return $this->mLBInfo[$name];
421 } else {
422 return null;
423 }
424 }
425 }
426
427 /**
428 * Set the LB info array, or a member of it. If called with one parameter,
429 * the LB info array is set to that parameter. If it is called with two
430 * parameters, the member with the given name is set to the given value.
431 *
432 * @param $name
433 * @param $value
434 */
435 public function setLBInfo( $name, $value = null ) {
436 if ( is_null( $value ) ) {
437 $this->mLBInfo = $name;
438 } else {
439 $this->mLBInfo[$name] = $value;
440 }
441 }
442
443 /**
444 * Set lag time in seconds for a fake slave
445 *
446 * @param $lag int
447 */
448 public function setFakeSlaveLag( $lag ) {
449 $this->mFakeSlaveLag = $lag;
450 }
451
452 /**
453 * Make this connection a fake master
454 *
455 * @param $enabled bool
456 */
457 public function setFakeMaster( $enabled = true ) {
458 $this->mFakeMaster = $enabled;
459 }
460
461 /**
462 * Returns true if this database supports (and uses) cascading deletes
463 *
464 * @return bool
465 */
466 public function cascadingDeletes() {
467 return false;
468 }
469
470 /**
471 * Returns true if this database supports (and uses) triggers (e.g. on the page table)
472 *
473 * @return bool
474 */
475 public function cleanupTriggers() {
476 return false;
477 }
478
479 /**
480 * Returns true if this database is strict about what can be put into an IP field.
481 * Specifically, it uses a NULL value instead of an empty string.
482 *
483 * @return bool
484 */
485 public function strictIPs() {
486 return false;
487 }
488
489 /**
490 * Returns true if this database uses timestamps rather than integers
491 *
492 * @return bool
493 */
494 public function realTimestamps() {
495 return false;
496 }
497
498 /**
499 * Returns true if this database does an implicit sort when doing GROUP BY
500 *
501 * @return bool
502 */
503 public function implicitGroupby() {
504 return true;
505 }
506
507 /**
508 * Returns true if this database does an implicit order by when the column has an index
509 * For example: SELECT page_title FROM page LIMIT 1
510 *
511 * @return bool
512 */
513 public function implicitOrderby() {
514 return true;
515 }
516
517 /**
518 * Returns true if this database can do a native search on IP columns
519 * e.g. this works as expected: .. WHERE rc_ip = '127.42.12.102/32';
520 *
521 * @return bool
522 */
523 public function searchableIPs() {
524 return false;
525 }
526
527 /**
528 * Returns true if this database can use functional indexes
529 *
530 * @return bool
531 */
532 public function functionalIndexes() {
533 return false;
534 }
535
536 /**
537 * Return the last query that went through DatabaseBase::query()
538 * @return String
539 */
540 public function lastQuery() {
541 return $this->mLastQuery;
542 }
543
544 /**
545 * Returns true if the connection may have been used for write queries.
546 * Should return true if unsure.
547 *
548 * @return bool
549 */
550 public function doneWrites() {
551 return $this->mDoneWrites;
552 }
553
554 /**
555 * Returns true if there is a transaction open with possible write
556 * queries or transaction idle callbacks waiting on it to finish.
557 *
558 * @return bool
559 */
560 public function writesOrCallbacksPending() {
561 return $this->mTrxLevel && ( $this->mTrxDoneWrites || $this->mTrxIdleCallbacks );
562 }
563
564 /**
565 * Is a connection to the database open?
566 * @return Boolean
567 */
568 public function isOpen() {
569 return $this->mOpened;
570 }
571
572 /**
573 * Set a flag for this connection
574 *
575 * @param $flag Integer: DBO_* constants from Defines.php:
576 * - DBO_DEBUG: output some debug info (same as debug())
577 * - DBO_NOBUFFER: don't buffer results (inverse of bufferResults())
578 * - DBO_IGNORE: ignore errors (same as ignoreErrors())
579 * - DBO_TRX: automatically start transactions
580 * - DBO_DEFAULT: automatically sets DBO_TRX if not in command line mode
581 * and removes it in command line mode
582 * - DBO_PERSISTENT: use persistant database connection
583 */
584 public function setFlag( $flag ) {
585 global $wgDebugDBTransactions;
586 $this->mFlags |= $flag;
587 if ( ( $flag & DBO_TRX) & $wgDebugDBTransactions ) {
588 wfDebug( "Implicit transactions are now disabled.\n" );
589 }
590 }
591
592 /**
593 * Clear a flag for this connection
594 *
595 * @param $flag: same as setFlag()'s $flag param
596 */
597 public function clearFlag( $flag ) {
598 global $wgDebugDBTransactions;
599 $this->mFlags &= ~$flag;
600 if ( ( $flag & DBO_TRX ) && $wgDebugDBTransactions ) {
601 wfDebug( "Implicit transactions are now disabled.\n" );
602 }
603 }
604
605 /**
606 * Returns a boolean whether the flag $flag is set for this connection
607 *
608 * @param $flag: same as setFlag()'s $flag param
609 * @return Boolean
610 */
611 public function getFlag( $flag ) {
612 return !!( $this->mFlags & $flag );
613 }
614
615 /**
616 * General read-only accessor
617 *
618 * @param $name string
619 *
620 * @return string
621 */
622 public function getProperty( $name ) {
623 return $this->$name;
624 }
625
626 /**
627 * @return string
628 */
629 public function getWikiID() {
630 if ( $this->mTablePrefix ) {
631 return "{$this->mDBname}-{$this->mTablePrefix}";
632 } else {
633 return $this->mDBname;
634 }
635 }
636
637 /**
638 * Return a path to the DBMS-specific schema file, otherwise default to tables.sql
639 *
640 * @return string
641 */
642 public function getSchemaPath() {
643 global $IP;
644 if ( file_exists( "$IP/maintenance/" . $this->getType() . "/tables.sql" ) ) {
645 return "$IP/maintenance/" . $this->getType() . "/tables.sql";
646 } else {
647 return "$IP/maintenance/tables.sql";
648 }
649 }
650
651 # ------------------------------------------------------------------------------
652 # Other functions
653 # ------------------------------------------------------------------------------
654
655 /**
656 * Constructor.
657 * @param $server String: database server host
658 * @param $user String: database user name
659 * @param $password String: database user password
660 * @param $dbName String: database name
661 * @param $flags
662 * @param $tablePrefix String: database table prefixes. By default use the prefix gave in LocalSettings.php
663 */
664 function __construct( $server = false, $user = false, $password = false, $dbName = false,
665 $flags = 0, $tablePrefix = 'get from global'
666 ) {
667 global $wgDBprefix, $wgCommandLineMode, $wgDebugDBTransactions;
668
669 $this->mFlags = $flags;
670
671 if ( $this->mFlags & DBO_DEFAULT ) {
672 if ( $wgCommandLineMode ) {
673 $this->mFlags &= ~DBO_TRX;
674 if ( $wgDebugDBTransactions ) {
675 wfDebug( "Implicit transaction open disabled.\n" );
676 }
677 } else {
678 $this->mFlags |= DBO_TRX;
679 if ( $wgDebugDBTransactions ) {
680 wfDebug( "Implicit transaction open enabled.\n" );
681 }
682 }
683 }
684
685 /** Get the default table prefix*/
686 if ( $tablePrefix == 'get from global' ) {
687 $this->mTablePrefix = $wgDBprefix;
688 } else {
689 $this->mTablePrefix = $tablePrefix;
690 }
691
692 if ( $user ) {
693 $this->open( $server, $user, $password, $dbName );
694 }
695 }
696
697 /**
698 * Called by serialize. Throw an exception when DB connection is serialized.
699 * This causes problems on some database engines because the connection is
700 * not restored on unserialize.
701 */
702 public function __sleep() {
703 throw new MWException( 'Database serialization may cause problems, since the connection is not restored on wakeup.' );
704 }
705
706 /**
707 * Given a DB type, construct the name of the appropriate child class of
708 * DatabaseBase. This is designed to replace all of the manual stuff like:
709 * $class = 'Database' . ucfirst( strtolower( $type ) );
710 * as well as validate against the canonical list of DB types we have
711 *
712 * This factory function is mostly useful for when you need to connect to a
713 * database other than the MediaWiki default (such as for external auth,
714 * an extension, et cetera). Do not use this to connect to the MediaWiki
715 * database. Example uses in core:
716 * @see LoadBalancer::reallyOpenConnection()
717 * @see ExternalUser_MediaWiki::initFromCond()
718 * @see ForeignDBRepo::getMasterDB()
719 * @see WebInstaller_DBConnect::execute()
720 *
721 * @since 1.18
722 *
723 * @param $dbType String A possible DB type
724 * @param $p Array An array of options to pass to the constructor.
725 * Valid options are: host, user, password, dbname, flags, tablePrefix
726 * @return DatabaseBase subclass or null
727 */
728 final public static function factory( $dbType, $p = array() ) {
729 $canonicalDBTypes = array(
730 'mysql', 'postgres', 'sqlite', 'oracle', 'mssql'
731 );
732 $dbType = strtolower( $dbType );
733 $class = 'Database' . ucfirst( $dbType );
734
735 if( in_array( $dbType, $canonicalDBTypes ) || ( class_exists( $class ) && is_subclass_of( $class, 'DatabaseBase' ) ) ) {
736 return new $class(
737 isset( $p['host'] ) ? $p['host'] : false,
738 isset( $p['user'] ) ? $p['user'] : false,
739 isset( $p['password'] ) ? $p['password'] : false,
740 isset( $p['dbname'] ) ? $p['dbname'] : false,
741 isset( $p['flags'] ) ? $p['flags'] : 0,
742 isset( $p['tablePrefix'] ) ? $p['tablePrefix'] : 'get from global'
743 );
744 } else {
745 return null;
746 }
747 }
748
749 protected function installErrorHandler() {
750 $this->mPHPError = false;
751 $this->htmlErrors = ini_set( 'html_errors', '0' );
752 set_error_handler( array( $this, 'connectionErrorHandler' ) );
753 }
754
755 /**
756 * @return bool|string
757 */
758 protected function restoreErrorHandler() {
759 restore_error_handler();
760 if ( $this->htmlErrors !== false ) {
761 ini_set( 'html_errors', $this->htmlErrors );
762 }
763 if ( $this->mPHPError ) {
764 $error = preg_replace( '!\[<a.*</a>\]!', '', $this->mPHPError );
765 $error = preg_replace( '!^.*?:\s?(.*)$!', '$1', $error );
766 return $error;
767 } else {
768 return false;
769 }
770 }
771
772 /**
773 * @param $errno
774 * @param $errstr
775 */
776 protected function connectionErrorHandler( $errno, $errstr ) {
777 $this->mPHPError = $errstr;
778 }
779
780 /**
781 * Closes a database connection.
782 * if it is open : commits any open transactions
783 *
784 * @throws MWException
785 * @return Bool operation success. true if already closed.
786 */
787 public function close() {
788 if ( count( $this->mTrxIdleCallbacks ) ) { // sanity
789 throw new MWException( "Transaction idle callbacks still pending." );
790 }
791 $this->mOpened = false;
792 if ( $this->mConn ) {
793 if ( $this->trxLevel() ) {
794 if ( !$this->mTrxAutomatic ) {
795 wfWarn( "Transaction still in progress (from {$this->mTrxFname}), " .
796 " performing implicit commit before closing connection!" );
797 }
798
799 $this->commit( __METHOD__, 'flush' );
800 }
801
802 $ret = $this->closeConnection();
803 $this->mConn = false;
804 return $ret;
805 } else {
806 return true;
807 }
808 }
809
810 /**
811 * Closes underlying database connection
812 * @since 1.20
813 * @return bool: Whether connection was closed successfully
814 */
815 abstract protected function closeConnection();
816
817 /**
818 * @param $error String: fallback error message, used if none is given by DB
819 * @throws DBConnectionError
820 */
821 function reportConnectionError( $error = 'Unknown error' ) {
822 $myError = $this->lastError();
823 if ( $myError ) {
824 $error = $myError;
825 }
826
827 # New method
828 throw new DBConnectionError( $this, $error );
829 }
830
831 /**
832 * The DBMS-dependent part of query()
833 *
834 * @param $sql String: SQL query.
835 * @return ResultWrapper Result object to feed to fetchObject, fetchRow, ...; or false on failure
836 */
837 abstract protected function doQuery( $sql );
838
839 /**
840 * Determine whether a query writes to the DB.
841 * Should return true if unsure.
842 *
843 * @param $sql string
844 *
845 * @return bool
846 */
847 public function isWriteQuery( $sql ) {
848 return !preg_match( '/^(?:SELECT|BEGIN|ROLLBACK|COMMIT|SET|SHOW|EXPLAIN|\(SELECT)\b/i', $sql );
849 }
850
851 /**
852 * Run an SQL query and return the result. Normally throws a DBQueryError
853 * on failure. If errors are ignored, returns false instead.
854 *
855 * In new code, the query wrappers select(), insert(), update(), delete(),
856 * etc. should be used where possible, since they give much better DBMS
857 * independence and automatically quote or validate user input in a variety
858 * of contexts. This function is generally only useful for queries which are
859 * explicitly DBMS-dependent and are unsupported by the query wrappers, such
860 * as CREATE TABLE.
861 *
862 * However, the query wrappers themselves should call this function.
863 *
864 * @param $sql String: SQL query
865 * @param $fname String: Name of the calling function, for profiling/SHOW PROCESSLIST
866 * comment (you can use __METHOD__ or add some extra info)
867 * @param $tempIgnore Boolean: Whether to avoid throwing an exception on errors...
868 * maybe best to catch the exception instead?
869 * @throws MWException
870 * @return boolean|ResultWrapper. true for a successful write query, ResultWrapper object
871 * for a successful read query, or false on failure if $tempIgnore set
872 */
873 public function query( $sql, $fname = '', $tempIgnore = false ) {
874 $isMaster = !is_null( $this->getLBInfo( 'master' ) );
875 if ( !Profiler::instance()->isStub() ) {
876 # generalizeSQL will probably cut down the query to reasonable
877 # logging size most of the time. The substr is really just a sanity check.
878
879 if ( $isMaster ) {
880 $queryProf = 'query-m: ' . substr( DatabaseBase::generalizeSQL( $sql ), 0, 255 );
881 $totalProf = 'DatabaseBase::query-master';
882 } else {
883 $queryProf = 'query: ' . substr( DatabaseBase::generalizeSQL( $sql ), 0, 255 );
884 $totalProf = 'DatabaseBase::query';
885 }
886
887 wfProfileIn( $totalProf );
888 wfProfileIn( $queryProf );
889 }
890
891 $this->mLastQuery = $sql;
892 if ( !$this->mDoneWrites && $this->isWriteQuery( $sql ) ) {
893 # Set a flag indicating that writes have been done
894 wfDebug( __METHOD__ . ": Writes done: $sql\n" );
895 $this->mDoneWrites = true;
896 }
897
898 # Add a comment for easy SHOW PROCESSLIST interpretation
899 global $wgUser;
900 if ( is_object( $wgUser ) && $wgUser->isItemLoaded( 'name' ) ) {
901 $userName = $wgUser->getName();
902 if ( mb_strlen( $userName ) > 15 ) {
903 $userName = mb_substr( $userName, 0, 15 ) . '...';
904 }
905 $userName = str_replace( '/', '', $userName );
906 } else {
907 $userName = '';
908 }
909
910 // Add trace comment to the begin of the sql string, right after the operator.
911 // Or, for one-word queries (like "BEGIN" or COMMIT") add it to the end (bug 42598)
912 $commentedSql = preg_replace( '/\s|$/', " /* $fname $userName */ ", $sql, 1 );
913
914 # If DBO_TRX is set, start a transaction
915 if ( ( $this->mFlags & DBO_TRX ) && !$this->mTrxLevel &&
916 $sql != 'BEGIN' && $sql != 'COMMIT' && $sql != 'ROLLBACK' )
917 {
918 # Avoid establishing transactions for SHOW and SET statements too -
919 # that would delay transaction initializations to once connection
920 # is really used by application
921 $sqlstart = substr( $sql, 0, 10 ); // very much worth it, benchmark certified(tm)
922 if ( strpos( $sqlstart, "SHOW " ) !== 0 && strpos( $sqlstart, "SET " ) !== 0 ) {
923 global $wgDebugDBTransactions;
924 if ( $wgDebugDBTransactions ) {
925 wfDebug( "Implicit transaction start.\n" );
926 }
927 $this->begin( __METHOD__ . " ($fname)" );
928 $this->mTrxAutomatic = true;
929 }
930 }
931
932 # Keep track of whether the transaction has write queries pending
933 if ( $this->mTrxLevel && !$this->mTrxDoneWrites && $this->isWriteQuery( $sql ) ) {
934 $this->mTrxDoneWrites = true;
935 }
936
937 if ( $this->debug() ) {
938 static $cnt = 0;
939
940 $cnt++;
941 $sqlx = substr( $commentedSql, 0, 500 );
942 $sqlx = strtr( $sqlx, "\t\n", ' ' );
943
944 $master = $isMaster ? 'master' : 'slave';
945 wfDebug( "Query {$this->mDBname} ($cnt) ($master): $sqlx\n" );
946 }
947
948 if ( istainted( $sql ) & TC_MYSQL ) {
949 throw new MWException( 'Tainted query found' );
950 }
951
952 $queryId = MWDebug::query( $sql, $fname, $isMaster );
953
954 # Do the query and handle errors
955 $ret = $this->doQuery( $commentedSql );
956
957 MWDebug::queryTime( $queryId );
958
959 # Try reconnecting if the connection was lost
960 if ( false === $ret && $this->wasErrorReissuable() ) {
961 # Transaction is gone, like it or not
962 $this->mTrxLevel = 0;
963 $this->mTrxIdleCallbacks = array(); // cancel
964 wfDebug( "Connection lost, reconnecting...\n" );
965
966 if ( $this->ping() ) {
967 wfDebug( "Reconnected\n" );
968 $sqlx = substr( $commentedSql, 0, 500 );
969 $sqlx = strtr( $sqlx, "\t\n", ' ' );
970 global $wgRequestTime;
971 $elapsed = round( microtime( true ) - $wgRequestTime, 3 );
972 if ( $elapsed < 300 ) {
973 # Not a database error to lose a transaction after a minute or two
974 wfLogDBError( "Connection lost and reconnected after {$elapsed}s, query: $sqlx\n" );
975 }
976 $ret = $this->doQuery( $commentedSql );
977 } else {
978 wfDebug( "Failed\n" );
979 }
980 }
981
982 if ( false === $ret ) {
983 $this->reportQueryError( $this->lastError(), $this->lastErrno(), $sql, $fname, $tempIgnore );
984 }
985
986 if ( !Profiler::instance()->isStub() ) {
987 wfProfileOut( $queryProf );
988 wfProfileOut( $totalProf );
989 }
990
991 return $this->resultObject( $ret );
992 }
993
994 /**
995 * Report a query error. Log the error, and if neither the object ignore
996 * flag nor the $tempIgnore flag is set, throw a DBQueryError.
997 *
998 * @param $error String
999 * @param $errno Integer
1000 * @param $sql String
1001 * @param $fname String
1002 * @param $tempIgnore Boolean
1003 * @throws DBQueryError
1004 */
1005 public function reportQueryError( $error, $errno, $sql, $fname, $tempIgnore = false ) {
1006 # Ignore errors during error handling to avoid infinite recursion
1007 $ignore = $this->ignoreErrors( true );
1008 ++$this->mErrorCount;
1009
1010 if ( $ignore || $tempIgnore ) {
1011 wfDebug( "SQL ERROR (ignored): $error\n" );
1012 $this->ignoreErrors( $ignore );
1013 } else {
1014 $sql1line = str_replace( "\n", "\\n", $sql );
1015 wfLogDBError( "$fname\t{$this->mServer}\t$errno\t$error\t$sql1line\n" );
1016 wfDebug( "SQL ERROR: " . $error . "\n" );
1017 throw new DBQueryError( $this, $error, $errno, $sql, $fname );
1018 }
1019 }
1020
1021 /**
1022 * Intended to be compatible with the PEAR::DB wrapper functions.
1023 * http://pear.php.net/manual/en/package.database.db.intro-execute.php
1024 *
1025 * ? = scalar value, quoted as necessary
1026 * ! = raw SQL bit (a function for instance)
1027 * & = filename; reads the file and inserts as a blob
1028 * (we don't use this though...)
1029 *
1030 * @param $sql string
1031 * @param $func string
1032 *
1033 * @return array
1034 */
1035 protected function prepare( $sql, $func = 'DatabaseBase::prepare' ) {
1036 /* MySQL doesn't support prepared statements (yet), so just
1037 pack up the query for reference. We'll manually replace
1038 the bits later. */
1039 return array( 'query' => $sql, 'func' => $func );
1040 }
1041
1042 /**
1043 * Free a prepared query, generated by prepare().
1044 * @param $prepared
1045 */
1046 protected function freePrepared( $prepared ) {
1047 /* No-op by default */
1048 }
1049
1050 /**
1051 * Execute a prepared query with the various arguments
1052 * @param $prepared String: the prepared sql
1053 * @param $args Mixed: Either an array here, or put scalars as varargs
1054 *
1055 * @return ResultWrapper
1056 */
1057 public function execute( $prepared, $args = null ) {
1058 if ( !is_array( $args ) ) {
1059 # Pull the var args
1060 $args = func_get_args();
1061 array_shift( $args );
1062 }
1063
1064 $sql = $this->fillPrepared( $prepared['query'], $args );
1065
1066 return $this->query( $sql, $prepared['func'] );
1067 }
1068
1069 /**
1070 * For faking prepared SQL statements on DBs that don't support it directly.
1071 *
1072 * @param $preparedQuery String: a 'preparable' SQL statement
1073 * @param $args Array of arguments to fill it with
1074 * @return string executable SQL
1075 */
1076 public function fillPrepared( $preparedQuery, $args ) {
1077 reset( $args );
1078 $this->preparedArgs =& $args;
1079
1080 return preg_replace_callback( '/(\\\\[?!&]|[?!&])/',
1081 array( &$this, 'fillPreparedArg' ), $preparedQuery );
1082 }
1083
1084 /**
1085 * preg_callback func for fillPrepared()
1086 * The arguments should be in $this->preparedArgs and must not be touched
1087 * while we're doing this.
1088 *
1089 * @param $matches Array
1090 * @throws DBUnexpectedError
1091 * @return String
1092 */
1093 protected function fillPreparedArg( $matches ) {
1094 switch( $matches[1] ) {
1095 case '\\?': return '?';
1096 case '\\!': return '!';
1097 case '\\&': return '&';
1098 }
1099
1100 list( /* $n */, $arg ) = each( $this->preparedArgs );
1101
1102 switch( $matches[1] ) {
1103 case '?': return $this->addQuotes( $arg );
1104 case '!': return $arg;
1105 case '&':
1106 # return $this->addQuotes( file_get_contents( $arg ) );
1107 throw new DBUnexpectedError( $this, '& mode is not implemented. If it\'s really needed, uncomment the line above.' );
1108 default:
1109 throw new DBUnexpectedError( $this, 'Received invalid match. This should never happen!' );
1110 }
1111 }
1112
1113 /**
1114 * Free a result object returned by query() or select(). It's usually not
1115 * necessary to call this, just use unset() or let the variable holding
1116 * the result object go out of scope.
1117 *
1118 * @param $res Mixed: A SQL result
1119 */
1120 public function freeResult( $res ) {}
1121
1122 /**
1123 * A SELECT wrapper which returns a single field from a single result row.
1124 *
1125 * Usually throws a DBQueryError on failure. If errors are explicitly
1126 * ignored, returns false on failure.
1127 *
1128 * If no result rows are returned from the query, false is returned.
1129 *
1130 * @param $table string|array Table name. See DatabaseBase::select() for details.
1131 * @param $var string The field name to select. This must be a valid SQL
1132 * fragment: do not use unvalidated user input.
1133 * @param $cond string|array The condition array. See DatabaseBase::select() for details.
1134 * @param $fname string The function name of the caller.
1135 * @param $options string|array The query options. See DatabaseBase::select() for details.
1136 *
1137 * @return bool|mixed The value from the field, or false on failure.
1138 */
1139 public function selectField( $table, $var, $cond = '', $fname = 'DatabaseBase::selectField',
1140 $options = array() )
1141 {
1142 if ( !is_array( $options ) ) {
1143 $options = array( $options );
1144 }
1145
1146 $options['LIMIT'] = 1;
1147
1148 $res = $this->select( $table, $var, $cond, $fname, $options );
1149
1150 if ( $res === false || !$this->numRows( $res ) ) {
1151 return false;
1152 }
1153
1154 $row = $this->fetchRow( $res );
1155
1156 if ( $row !== false ) {
1157 return reset( $row );
1158 } else {
1159 return false;
1160 }
1161 }
1162
1163 /**
1164 * Returns an optional USE INDEX clause to go after the table, and a
1165 * string to go at the end of the query.
1166 *
1167 * @param $options Array: associative array of options to be turned into
1168 * an SQL query, valid keys are listed in the function.
1169 * @return Array
1170 * @see DatabaseBase::select()
1171 */
1172 public function makeSelectOptions( $options ) {
1173 $preLimitTail = $postLimitTail = '';
1174 $startOpts = '';
1175
1176 $noKeyOptions = array();
1177
1178 foreach ( $options as $key => $option ) {
1179 if ( is_numeric( $key ) ) {
1180 $noKeyOptions[$option] = true;
1181 }
1182 }
1183
1184 $preLimitTail .= $this->makeGroupByWithHaving( $options );
1185
1186 $preLimitTail .= $this->makeOrderBy( $options );
1187
1188 // if (isset($options['LIMIT'])) {
1189 // $tailOpts .= $this->limitResult('', $options['LIMIT'],
1190 // isset($options['OFFSET']) ? $options['OFFSET']
1191 // : false);
1192 // }
1193
1194 if ( isset( $noKeyOptions['FOR UPDATE'] ) ) {
1195 $postLimitTail .= ' FOR UPDATE';
1196 }
1197
1198 if ( isset( $noKeyOptions['LOCK IN SHARE MODE'] ) ) {
1199 $postLimitTail .= ' LOCK IN SHARE MODE';
1200 }
1201
1202 if ( isset( $noKeyOptions['DISTINCT'] ) || isset( $noKeyOptions['DISTINCTROW'] ) ) {
1203 $startOpts .= 'DISTINCT';
1204 }
1205
1206 # Various MySQL extensions
1207 if ( isset( $noKeyOptions['STRAIGHT_JOIN'] ) ) {
1208 $startOpts .= ' /*! STRAIGHT_JOIN */';
1209 }
1210
1211 if ( isset( $noKeyOptions['HIGH_PRIORITY'] ) ) {
1212 $startOpts .= ' HIGH_PRIORITY';
1213 }
1214
1215 if ( isset( $noKeyOptions['SQL_BIG_RESULT'] ) ) {
1216 $startOpts .= ' SQL_BIG_RESULT';
1217 }
1218
1219 if ( isset( $noKeyOptions['SQL_BUFFER_RESULT'] ) ) {
1220 $startOpts .= ' SQL_BUFFER_RESULT';
1221 }
1222
1223 if ( isset( $noKeyOptions['SQL_SMALL_RESULT'] ) ) {
1224 $startOpts .= ' SQL_SMALL_RESULT';
1225 }
1226
1227 if ( isset( $noKeyOptions['SQL_CALC_FOUND_ROWS'] ) ) {
1228 $startOpts .= ' SQL_CALC_FOUND_ROWS';
1229 }
1230
1231 if ( isset( $noKeyOptions['SQL_CACHE'] ) ) {
1232 $startOpts .= ' SQL_CACHE';
1233 }
1234
1235 if ( isset( $noKeyOptions['SQL_NO_CACHE'] ) ) {
1236 $startOpts .= ' SQL_NO_CACHE';
1237 }
1238
1239 if ( isset( $options['USE INDEX'] ) && ! is_array( $options['USE INDEX'] ) ) {
1240 $useIndex = $this->useIndexClause( $options['USE INDEX'] );
1241 } else {
1242 $useIndex = '';
1243 }
1244
1245 return array( $startOpts, $useIndex, $preLimitTail, $postLimitTail );
1246 }
1247
1248 /**
1249 * Returns an optional GROUP BY with an optional HAVING
1250 *
1251 * @param $options Array: associative array of options
1252 * @return string
1253 * @see DatabaseBase::select()
1254 * @since 1.21
1255 */
1256 public function makeGroupByWithHaving( $options ) {
1257 $sql = '';
1258 if ( isset( $options['GROUP BY'] ) ) {
1259 $gb = is_array( $options['GROUP BY'] )
1260 ? implode( ',', $options['GROUP BY'] )
1261 : $options['GROUP BY'];
1262 $sql .= ' GROUP BY ' . $gb;
1263 }
1264 if ( isset( $options['HAVING'] ) ) {
1265 $having = is_array( $options['HAVING'] )
1266 ? $this->makeList( $options['HAVING'], LIST_AND )
1267 : $options['HAVING'];
1268 $sql .= ' HAVING ' . $having;
1269 }
1270 return $sql;
1271 }
1272
1273 /**
1274 * Returns an optional ORDER BY
1275 *
1276 * @param $options Array: associative array of options
1277 * @return string
1278 * @see DatabaseBase::select()
1279 * @since 1.21
1280 */
1281 public function makeOrderBy( $options ) {
1282 if ( isset( $options['ORDER BY'] ) ) {
1283 $ob = is_array( $options['ORDER BY'] )
1284 ? implode( ',', $options['ORDER BY'] )
1285 : $options['ORDER BY'];
1286 return ' ORDER BY ' . $ob;
1287 }
1288 return '';
1289 }
1290
1291 /**
1292 * Execute a SELECT query constructed using the various parameters provided.
1293 * See below for full details of the parameters.
1294 *
1295 * @param $table String|Array Table name
1296 * @param $vars String|Array Field names
1297 * @param $conds String|Array Conditions
1298 * @param $fname String Caller function name
1299 * @param $options Array Query options
1300 * @param $join_conds Array Join conditions
1301 *
1302 * @param $table string|array
1303 *
1304 * May be either an array of table names, or a single string holding a table
1305 * name. If an array is given, table aliases can be specified, for example:
1306 *
1307 * array( 'a' => 'user' )
1308 *
1309 * This includes the user table in the query, with the alias "a" available
1310 * for use in field names (e.g. a.user_name).
1311 *
1312 * All of the table names given here are automatically run through
1313 * DatabaseBase::tableName(), which causes the table prefix (if any) to be
1314 * added, and various other table name mappings to be performed.
1315 *
1316 *
1317 * @param $vars string|array
1318 *
1319 * May be either a field name or an array of field names. The field names
1320 * can be complete fragments of SQL, for direct inclusion into the SELECT
1321 * query. If an array is given, field aliases can be specified, for example:
1322 *
1323 * array( 'maxrev' => 'MAX(rev_id)' )
1324 *
1325 * This includes an expression with the alias "maxrev" in the query.
1326 *
1327 * If an expression is given, care must be taken to ensure that it is
1328 * DBMS-independent.
1329 *
1330 *
1331 * @param $conds string|array
1332 *
1333 * May be either a string containing a single condition, or an array of
1334 * conditions. If an array is given, the conditions constructed from each
1335 * element are combined with AND.
1336 *
1337 * Array elements may take one of two forms:
1338 *
1339 * - Elements with a numeric key are interpreted as raw SQL fragments.
1340 * - Elements with a string key are interpreted as equality conditions,
1341 * where the key is the field name.
1342 * - If the value of such an array element is a scalar (such as a
1343 * string), it will be treated as data and thus quoted appropriately.
1344 * If it is null, an IS NULL clause will be added.
1345 * - If the value is an array, an IN(...) clause will be constructed,
1346 * such that the field name may match any of the elements in the
1347 * array. The elements of the array will be quoted.
1348 *
1349 * Note that expressions are often DBMS-dependent in their syntax.
1350 * DBMS-independent wrappers are provided for constructing several types of
1351 * expression commonly used in condition queries. See:
1352 * - DatabaseBase::buildLike()
1353 * - DatabaseBase::conditional()
1354 *
1355 *
1356 * @param $options string|array
1357 *
1358 * Optional: Array of query options. Boolean options are specified by
1359 * including them in the array as a string value with a numeric key, for
1360 * example:
1361 *
1362 * array( 'FOR UPDATE' )
1363 *
1364 * The supported options are:
1365 *
1366 * - OFFSET: Skip this many rows at the start of the result set. OFFSET
1367 * with LIMIT can theoretically be used for paging through a result set,
1368 * but this is discouraged in MediaWiki for performance reasons.
1369 *
1370 * - LIMIT: Integer: return at most this many rows. The rows are sorted
1371 * and then the first rows are taken until the limit is reached. LIMIT
1372 * is applied to a result set after OFFSET.
1373 *
1374 * - FOR UPDATE: Boolean: lock the returned rows so that they can't be
1375 * changed until the next COMMIT.
1376 *
1377 * - DISTINCT: Boolean: return only unique result rows.
1378 *
1379 * - GROUP BY: May be either an SQL fragment string naming a field or
1380 * expression to group by, or an array of such SQL fragments.
1381 *
1382 * - HAVING: May be either an string containing a HAVING clause or an array of
1383 * conditions building the HAVING clause. If an array is given, the conditions
1384 * constructed from each element are combined with AND.
1385 *
1386 * - ORDER BY: May be either an SQL fragment giving a field name or
1387 * expression to order by, or an array of such SQL fragments.
1388 *
1389 * - USE INDEX: This may be either a string giving the index name to use
1390 * for the query, or an array. If it is an associative array, each key
1391 * gives the table name (or alias), each value gives the index name to
1392 * use for that table. All strings are SQL fragments and so should be
1393 * validated by the caller.
1394 *
1395 * - EXPLAIN: In MySQL, this causes an EXPLAIN SELECT query to be run,
1396 * instead of SELECT.
1397 *
1398 * And also the following boolean MySQL extensions, see the MySQL manual
1399 * for documentation:
1400 *
1401 * - LOCK IN SHARE MODE
1402 * - STRAIGHT_JOIN
1403 * - HIGH_PRIORITY
1404 * - SQL_BIG_RESULT
1405 * - SQL_BUFFER_RESULT
1406 * - SQL_SMALL_RESULT
1407 * - SQL_CALC_FOUND_ROWS
1408 * - SQL_CACHE
1409 * - SQL_NO_CACHE
1410 *
1411 *
1412 * @param $join_conds string|array
1413 *
1414 * Optional associative array of table-specific join conditions. In the
1415 * most common case, this is unnecessary, since the join condition can be
1416 * in $conds. However, it is useful for doing a LEFT JOIN.
1417 *
1418 * The key of the array contains the table name or alias. The value is an
1419 * array with two elements, numbered 0 and 1. The first gives the type of
1420 * join, the second is an SQL fragment giving the join condition for that
1421 * table. For example:
1422 *
1423 * array( 'page' => array( 'LEFT JOIN', 'page_latest=rev_id' ) )
1424 *
1425 * @return ResultWrapper. If the query returned no rows, a ResultWrapper
1426 * with no rows in it will be returned. If there was a query error, a
1427 * DBQueryError exception will be thrown, except if the "ignore errors"
1428 * option was set, in which case false will be returned.
1429 */
1430 public function select( $table, $vars, $conds = '', $fname = 'DatabaseBase::select',
1431 $options = array(), $join_conds = array() ) {
1432 $sql = $this->selectSQLText( $table, $vars, $conds, $fname, $options, $join_conds );
1433
1434 return $this->query( $sql, $fname );
1435 }
1436
1437 /**
1438 * The equivalent of DatabaseBase::select() except that the constructed SQL
1439 * is returned, instead of being immediately executed. This can be useful for
1440 * doing UNION queries, where the SQL text of each query is needed. In general,
1441 * however, callers outside of Database classes should just use select().
1442 *
1443 * @param $table string|array Table name
1444 * @param $vars string|array Field names
1445 * @param $conds string|array Conditions
1446 * @param $fname string Caller function name
1447 * @param $options string|array Query options
1448 * @param $join_conds string|array Join conditions
1449 *
1450 * @return string SQL query string.
1451 * @see DatabaseBase::select()
1452 */
1453 public function selectSQLText( $table, $vars, $conds = '', $fname = 'DatabaseBase::select',
1454 $options = array(), $join_conds = array() )
1455 {
1456 if ( is_array( $vars ) ) {
1457 $vars = implode( ',', $this->fieldNamesWithAlias( $vars ) );
1458 }
1459
1460 $options = (array)$options;
1461
1462 if ( is_array( $table ) ) {
1463 $useIndex = ( isset( $options['USE INDEX'] ) && is_array( $options['USE INDEX'] ) )
1464 ? $options['USE INDEX']
1465 : array();
1466 if ( count( $join_conds ) || count( $useIndex ) ) {
1467 $from = ' FROM ' .
1468 $this->tableNamesWithUseIndexOrJOIN( $table, $useIndex, $join_conds );
1469 } else {
1470 $from = ' FROM ' . implode( ',', $this->tableNamesWithAlias( $table ) );
1471 }
1472 } elseif ( $table != '' ) {
1473 if ( $table[0] == ' ' ) {
1474 $from = ' FROM ' . $table;
1475 } else {
1476 $from = ' FROM ' . $this->tableName( $table );
1477 }
1478 } else {
1479 $from = '';
1480 }
1481
1482 list( $startOpts, $useIndex, $preLimitTail, $postLimitTail ) = $this->makeSelectOptions( $options );
1483
1484 if ( !empty( $conds ) ) {
1485 if ( is_array( $conds ) ) {
1486 $conds = $this->makeList( $conds, LIST_AND );
1487 }
1488 $sql = "SELECT $startOpts $vars $from $useIndex WHERE $conds $preLimitTail";
1489 } else {
1490 $sql = "SELECT $startOpts $vars $from $useIndex $preLimitTail";
1491 }
1492
1493 if ( isset( $options['LIMIT'] ) ) {
1494 $sql = $this->limitResult( $sql, $options['LIMIT'],
1495 isset( $options['OFFSET'] ) ? $options['OFFSET'] : false );
1496 }
1497 $sql = "$sql $postLimitTail";
1498
1499 if ( isset( $options['EXPLAIN'] ) ) {
1500 $sql = 'EXPLAIN ' . $sql;
1501 }
1502
1503 return $sql;
1504 }
1505
1506 /**
1507 * Single row SELECT wrapper. Equivalent to DatabaseBase::select(), except
1508 * that a single row object is returned. If the query returns no rows,
1509 * false is returned.
1510 *
1511 * @param $table string|array Table name
1512 * @param $vars string|array Field names
1513 * @param $conds array Conditions
1514 * @param $fname string Caller function name
1515 * @param $options string|array Query options
1516 * @param $join_conds array|string Join conditions
1517 *
1518 * @return object|bool
1519 */
1520 public function selectRow( $table, $vars, $conds, $fname = 'DatabaseBase::selectRow',
1521 $options = array(), $join_conds = array() )
1522 {
1523 $options = (array)$options;
1524 $options['LIMIT'] = 1;
1525 $res = $this->select( $table, $vars, $conds, $fname, $options, $join_conds );
1526
1527 if ( $res === false ) {
1528 return false;
1529 }
1530
1531 if ( !$this->numRows( $res ) ) {
1532 return false;
1533 }
1534
1535 $obj = $this->fetchObject( $res );
1536
1537 return $obj;
1538 }
1539
1540 /**
1541 * Estimate rows in dataset.
1542 *
1543 * MySQL allows you to estimate the number of rows that would be returned
1544 * by a SELECT query, using EXPLAIN SELECT. The estimate is provided using
1545 * index cardinality statistics, and is notoriously inaccurate, especially
1546 * when large numbers of rows have recently been added or deleted.
1547 *
1548 * For DBMSs that don't support fast result size estimation, this function
1549 * will actually perform the SELECT COUNT(*).
1550 *
1551 * Takes the same arguments as DatabaseBase::select().
1552 *
1553 * @param $table String: table name
1554 * @param Array|string $vars : unused
1555 * @param Array|string $conds : filters on the table
1556 * @param $fname String: function name for profiling
1557 * @param $options Array: options for select
1558 * @return Integer: row count
1559 */
1560 public function estimateRowCount( $table, $vars = '*', $conds = '',
1561 $fname = 'DatabaseBase::estimateRowCount', $options = array() )
1562 {
1563 $rows = 0;
1564 $res = $this->select( $table, array( 'rowcount' => 'COUNT(*)' ), $conds, $fname, $options );
1565
1566 if ( $res ) {
1567 $row = $this->fetchRow( $res );
1568 $rows = ( isset( $row['rowcount'] ) ) ? $row['rowcount'] : 0;
1569 }
1570
1571 return $rows;
1572 }
1573
1574 /**
1575 * Removes most variables from an SQL query and replaces them with X or N for numbers.
1576 * It's only slightly flawed. Don't use for anything important.
1577 *
1578 * @param $sql String A SQL Query
1579 *
1580 * @return string
1581 */
1582 static function generalizeSQL( $sql ) {
1583 # This does the same as the regexp below would do, but in such a way
1584 # as to avoid crashing php on some large strings.
1585 # $sql = preg_replace ( "/'([^\\\\']|\\\\.)*'|\"([^\\\\\"]|\\\\.)*\"/", "'X'", $sql);
1586
1587 $sql = str_replace ( "\\\\", '', $sql );
1588 $sql = str_replace ( "\\'", '', $sql );
1589 $sql = str_replace ( "\\\"", '', $sql );
1590 $sql = preg_replace ( "/'.*'/s", "'X'", $sql );
1591 $sql = preg_replace ( '/".*"/s', "'X'", $sql );
1592
1593 # All newlines, tabs, etc replaced by single space
1594 $sql = preg_replace ( '/\s+/', ' ', $sql );
1595
1596 # All numbers => N
1597 $sql = preg_replace ( '/-?[0-9]+/s', 'N', $sql );
1598
1599 return $sql;
1600 }
1601
1602 /**
1603 * Determines whether a field exists in a table
1604 *
1605 * @param $table String: table name
1606 * @param $field String: filed to check on that table
1607 * @param $fname String: calling function name (optional)
1608 * @return Boolean: whether $table has filed $field
1609 */
1610 public function fieldExists( $table, $field, $fname = 'DatabaseBase::fieldExists' ) {
1611 $info = $this->fieldInfo( $table, $field );
1612
1613 return (bool)$info;
1614 }
1615
1616 /**
1617 * Determines whether an index exists
1618 * Usually throws a DBQueryError on failure
1619 * If errors are explicitly ignored, returns NULL on failure
1620 *
1621 * @param $table
1622 * @param $index
1623 * @param $fname string
1624 *
1625 * @return bool|null
1626 */
1627 public function indexExists( $table, $index, $fname = 'DatabaseBase::indexExists' ) {
1628 if( !$this->tableExists( $table ) ) {
1629 return null;
1630 }
1631
1632 $info = $this->indexInfo( $table, $index, $fname );
1633 if ( is_null( $info ) ) {
1634 return null;
1635 } else {
1636 return $info !== false;
1637 }
1638 }
1639
1640 /**
1641 * Query whether a given table exists
1642 *
1643 * @param $table string
1644 * @param $fname string
1645 *
1646 * @return bool
1647 */
1648 public function tableExists( $table, $fname = __METHOD__ ) {
1649 $table = $this->tableName( $table );
1650 $old = $this->ignoreErrors( true );
1651 $res = $this->query( "SELECT 1 FROM $table LIMIT 1", $fname );
1652 $this->ignoreErrors( $old );
1653
1654 return (bool)$res;
1655 }
1656
1657 /**
1658 * mysql_field_type() wrapper
1659 * @param $res
1660 * @param $index
1661 * @return string
1662 */
1663 public function fieldType( $res, $index ) {
1664 if ( $res instanceof ResultWrapper ) {
1665 $res = $res->result;
1666 }
1667
1668 return mysql_field_type( $res, $index );
1669 }
1670
1671 /**
1672 * Determines if a given index is unique
1673 *
1674 * @param $table string
1675 * @param $index string
1676 *
1677 * @return bool
1678 */
1679 public function indexUnique( $table, $index ) {
1680 $indexInfo = $this->indexInfo( $table, $index );
1681
1682 if ( !$indexInfo ) {
1683 return null;
1684 }
1685
1686 return !$indexInfo[0]->Non_unique;
1687 }
1688
1689 /**
1690 * Helper for DatabaseBase::insert().
1691 *
1692 * @param $options array
1693 * @return string
1694 */
1695 protected function makeInsertOptions( $options ) {
1696 return implode( ' ', $options );
1697 }
1698
1699 /**
1700 * INSERT wrapper, inserts an array into a table.
1701 *
1702 * $a may be either:
1703 *
1704 * - A single associative array. The array keys are the field names, and
1705 * the values are the values to insert. The values are treated as data
1706 * and will be quoted appropriately. If NULL is inserted, this will be
1707 * converted to a database NULL.
1708 * - An array with numeric keys, holding a list of associative arrays.
1709 * This causes a multi-row INSERT on DBMSs that support it. The keys in
1710 * each subarray must be identical to each other, and in the same order.
1711 *
1712 * Usually throws a DBQueryError on failure. If errors are explicitly ignored,
1713 * returns success.
1714 *
1715 * $options is an array of options, with boolean options encoded as values
1716 * with numeric keys, in the same style as $options in
1717 * DatabaseBase::select(). Supported options are:
1718 *
1719 * - IGNORE: Boolean: if present, duplicate key errors are ignored, and
1720 * any rows which cause duplicate key errors are not inserted. It's
1721 * possible to determine how many rows were successfully inserted using
1722 * DatabaseBase::affectedRows().
1723 *
1724 * @param $table String Table name. This will be passed through
1725 * DatabaseBase::tableName().
1726 * @param $a Array of rows to insert
1727 * @param $fname String Calling function name (use __METHOD__) for logs/profiling
1728 * @param $options Array of options
1729 *
1730 * @return bool
1731 */
1732 public function insert( $table, $a, $fname = 'DatabaseBase::insert', $options = array() ) {
1733 # No rows to insert, easy just return now
1734 if ( !count( $a ) ) {
1735 return true;
1736 }
1737
1738 $table = $this->tableName( $table );
1739
1740 if ( !is_array( $options ) ) {
1741 $options = array( $options );
1742 }
1743
1744 $fh = null;
1745 if ( isset( $options['fileHandle'] ) ) {
1746 $fh = $options['fileHandle'];
1747 }
1748 $options = $this->makeInsertOptions( $options );
1749
1750 if ( isset( $a[0] ) && is_array( $a[0] ) ) {
1751 $multi = true;
1752 $keys = array_keys( $a[0] );
1753 } else {
1754 $multi = false;
1755 $keys = array_keys( $a );
1756 }
1757
1758 $sql = 'INSERT ' . $options .
1759 " INTO $table (" . implode( ',', $keys ) . ') VALUES ';
1760
1761 if ( $multi ) {
1762 $first = true;
1763 foreach ( $a as $row ) {
1764 if ( $first ) {
1765 $first = false;
1766 } else {
1767 $sql .= ',';
1768 }
1769 $sql .= '(' . $this->makeList( $row ) . ')';
1770 }
1771 } else {
1772 $sql .= '(' . $this->makeList( $a ) . ')';
1773 }
1774
1775 if ( $fh !== null && false === fwrite( $fh, $sql ) ) {
1776 return false;
1777 } elseif ( $fh !== null ) {
1778 return true;
1779 }
1780
1781 return (bool)$this->query( $sql, $fname );
1782 }
1783
1784 /**
1785 * Make UPDATE options for the DatabaseBase::update function
1786 *
1787 * @param $options Array: The options passed to DatabaseBase::update
1788 * @return string
1789 */
1790 protected function makeUpdateOptions( $options ) {
1791 if ( !is_array( $options ) ) {
1792 $options = array( $options );
1793 }
1794
1795 $opts = array();
1796
1797 if ( in_array( 'LOW_PRIORITY', $options ) ) {
1798 $opts[] = $this->lowPriorityOption();
1799 }
1800
1801 if ( in_array( 'IGNORE', $options ) ) {
1802 $opts[] = 'IGNORE';
1803 }
1804
1805 return implode( ' ', $opts );
1806 }
1807
1808 /**
1809 * UPDATE wrapper. Takes a condition array and a SET array.
1810 *
1811 * @param $table String name of the table to UPDATE. This will be passed through
1812 * DatabaseBase::tableName().
1813 *
1814 * @param $values Array: An array of values to SET. For each array element,
1815 * the key gives the field name, and the value gives the data
1816 * to set that field to. The data will be quoted by
1817 * DatabaseBase::addQuotes().
1818 *
1819 * @param $conds Array: An array of conditions (WHERE). See
1820 * DatabaseBase::select() for the details of the format of
1821 * condition arrays. Use '*' to update all rows.
1822 *
1823 * @param $fname String: The function name of the caller (from __METHOD__),
1824 * for logging and profiling.
1825 *
1826 * @param $options Array: An array of UPDATE options, can be:
1827 * - IGNORE: Ignore unique key conflicts
1828 * - LOW_PRIORITY: MySQL-specific, see MySQL manual.
1829 * @return Boolean
1830 */
1831 function update( $table, $values, $conds, $fname = 'DatabaseBase::update', $options = array() ) {
1832 $table = $this->tableName( $table );
1833 $opts = $this->makeUpdateOptions( $options );
1834 $sql = "UPDATE $opts $table SET " . $this->makeList( $values, LIST_SET );
1835
1836 if ( $conds !== array() && $conds !== '*' ) {
1837 $sql .= " WHERE " . $this->makeList( $conds, LIST_AND );
1838 }
1839
1840 return $this->query( $sql, $fname );
1841 }
1842
1843 /**
1844 * Makes an encoded list of strings from an array
1845 * @param $a Array containing the data
1846 * @param int $mode Constant
1847 * - LIST_COMMA: comma separated, no field names
1848 * - LIST_AND: ANDed WHERE clause (without the WHERE). See
1849 * the documentation for $conds in DatabaseBase::select().
1850 * - LIST_OR: ORed WHERE clause (without the WHERE)
1851 * - LIST_SET: comma separated with field names, like a SET clause
1852 * - LIST_NAMES: comma separated field names
1853 *
1854 * @throws MWException|DBUnexpectedError
1855 * @return string
1856 */
1857 public function makeList( $a, $mode = LIST_COMMA ) {
1858 if ( !is_array( $a ) ) {
1859 throw new DBUnexpectedError( $this, 'DatabaseBase::makeList called with incorrect parameters' );
1860 }
1861
1862 $first = true;
1863 $list = '';
1864
1865 foreach ( $a as $field => $value ) {
1866 if ( !$first ) {
1867 if ( $mode == LIST_AND ) {
1868 $list .= ' AND ';
1869 } elseif ( $mode == LIST_OR ) {
1870 $list .= ' OR ';
1871 } else {
1872 $list .= ',';
1873 }
1874 } else {
1875 $first = false;
1876 }
1877
1878 if ( ( $mode == LIST_AND || $mode == LIST_OR ) && is_numeric( $field ) ) {
1879 $list .= "($value)";
1880 } elseif ( ( $mode == LIST_SET ) && is_numeric( $field ) ) {
1881 $list .= "$value";
1882 } elseif ( ( $mode == LIST_AND || $mode == LIST_OR ) && is_array( $value ) ) {
1883 if ( count( $value ) == 0 ) {
1884 throw new MWException( __METHOD__ . ": empty input for field $field" );
1885 } elseif ( count( $value ) == 1 ) {
1886 // Special-case single values, as IN isn't terribly efficient
1887 // Don't necessarily assume the single key is 0; we don't
1888 // enforce linear numeric ordering on other arrays here.
1889 $value = array_values( $value );
1890 $list .= $field . " = " . $this->addQuotes( $value[0] );
1891 } else {
1892 $list .= $field . " IN (" . $this->makeList( $value ) . ") ";
1893 }
1894 } elseif ( $value === null ) {
1895 if ( $mode == LIST_AND || $mode == LIST_OR ) {
1896 $list .= "$field IS ";
1897 } elseif ( $mode == LIST_SET ) {
1898 $list .= "$field = ";
1899 }
1900 $list .= 'NULL';
1901 } else {
1902 if ( $mode == LIST_AND || $mode == LIST_OR || $mode == LIST_SET ) {
1903 $list .= "$field = ";
1904 }
1905 $list .= $mode == LIST_NAMES ? $value : $this->addQuotes( $value );
1906 }
1907 }
1908
1909 return $list;
1910 }
1911
1912 /**
1913 * Build a partial where clause from a 2-d array such as used for LinkBatch.
1914 * The keys on each level may be either integers or strings.
1915 *
1916 * @param $data Array: organized as 2-d
1917 * array(baseKeyVal => array(subKeyVal => [ignored], ...), ...)
1918 * @param $baseKey String: field name to match the base-level keys to (eg 'pl_namespace')
1919 * @param $subKey String: field name to match the sub-level keys to (eg 'pl_title')
1920 * @return Mixed: string SQL fragment, or false if no items in array.
1921 */
1922 public function makeWhereFrom2d( $data, $baseKey, $subKey ) {
1923 $conds = array();
1924
1925 foreach ( $data as $base => $sub ) {
1926 if ( count( $sub ) ) {
1927 $conds[] = $this->makeList(
1928 array( $baseKey => $base, $subKey => array_keys( $sub ) ),
1929 LIST_AND );
1930 }
1931 }
1932
1933 if ( $conds ) {
1934 return $this->makeList( $conds, LIST_OR );
1935 } else {
1936 // Nothing to search for...
1937 return false;
1938 }
1939 }
1940
1941 /**
1942 * Return aggregated value alias
1943 *
1944 * @param $valuedata
1945 * @param $valuename string
1946 *
1947 * @return string
1948 */
1949 public function aggregateValue( $valuedata, $valuename = 'value' ) {
1950 return $valuename;
1951 }
1952
1953 /**
1954 * @param $field
1955 * @return string
1956 */
1957 public function bitNot( $field ) {
1958 return "(~$field)";
1959 }
1960
1961 /**
1962 * @param $fieldLeft
1963 * @param $fieldRight
1964 * @return string
1965 */
1966 public function bitAnd( $fieldLeft, $fieldRight ) {
1967 return "($fieldLeft & $fieldRight)";
1968 }
1969
1970 /**
1971 * @param $fieldLeft
1972 * @param $fieldRight
1973 * @return string
1974 */
1975 public function bitOr( $fieldLeft, $fieldRight ) {
1976 return "($fieldLeft | $fieldRight)";
1977 }
1978
1979 /**
1980 * Build a concatenation list to feed into a SQL query
1981 * @param $stringList Array: list of raw SQL expressions; caller is responsible for any quoting
1982 * @return String
1983 */
1984 public function buildConcat( $stringList ) {
1985 return 'CONCAT(' . implode( ',', $stringList ) . ')';
1986 }
1987
1988 /**
1989 * Change the current database
1990 *
1991 * @todo Explain what exactly will fail if this is not overridden.
1992 *
1993 * @param $db
1994 *
1995 * @return bool Success or failure
1996 */
1997 public function selectDB( $db ) {
1998 # Stub. Shouldn't cause serious problems if it's not overridden, but
1999 # if your database engine supports a concept similar to MySQL's
2000 # databases you may as well.
2001 $this->mDBname = $db;
2002 return true;
2003 }
2004
2005 /**
2006 * Get the current DB name
2007 */
2008 public function getDBname() {
2009 return $this->mDBname;
2010 }
2011
2012 /**
2013 * Get the server hostname or IP address
2014 */
2015 public function getServer() {
2016 return $this->mServer;
2017 }
2018
2019 /**
2020 * Format a table name ready for use in constructing an SQL query
2021 *
2022 * This does two important things: it quotes the table names to clean them up,
2023 * and it adds a table prefix if only given a table name with no quotes.
2024 *
2025 * All functions of this object which require a table name call this function
2026 * themselves. Pass the canonical name to such functions. This is only needed
2027 * when calling query() directly.
2028 *
2029 * @param $name String: database table name
2030 * @param $format String One of:
2031 * quoted - Automatically pass the table name through addIdentifierQuotes()
2032 * so that it can be used in a query.
2033 * raw - Do not add identifier quotes to the table name
2034 * @return String: full database name
2035 */
2036 public function tableName( $name, $format = 'quoted' ) {
2037 global $wgSharedDB, $wgSharedPrefix, $wgSharedTables;
2038 # Skip the entire process when we have a string quoted on both ends.
2039 # Note that we check the end so that we will still quote any use of
2040 # use of `database`.table. But won't break things if someone wants
2041 # to query a database table with a dot in the name.
2042 if ( $this->isQuotedIdentifier( $name ) ) {
2043 return $name;
2044 }
2045
2046 # Lets test for any bits of text that should never show up in a table
2047 # name. Basically anything like JOIN or ON which are actually part of
2048 # SQL queries, but may end up inside of the table value to combine
2049 # sql. Such as how the API is doing.
2050 # Note that we use a whitespace test rather than a \b test to avoid
2051 # any remote case where a word like on may be inside of a table name
2052 # surrounded by symbols which may be considered word breaks.
2053 if ( preg_match( '/(^|\s)(DISTINCT|JOIN|ON|AS)(\s|$)/i', $name ) !== 0 ) {
2054 return $name;
2055 }
2056
2057 # Split database and table into proper variables.
2058 # We reverse the explode so that database.table and table both output
2059 # the correct table.
2060 $dbDetails = explode( '.', $name, 2 );
2061 if ( count( $dbDetails ) == 2 ) {
2062 list( $database, $table ) = $dbDetails;
2063 # We don't want any prefix added in this case
2064 $prefix = '';
2065 } else {
2066 list( $table ) = $dbDetails;
2067 if ( $wgSharedDB !== null # We have a shared database
2068 && !$this->isQuotedIdentifier( $table ) # Paranoia check to prevent shared tables listing '`table`'
2069 && in_array( $table, $wgSharedTables ) # A shared table is selected
2070 ) {
2071 $database = $wgSharedDB;
2072 $prefix = $wgSharedPrefix === null ? $this->mTablePrefix : $wgSharedPrefix;
2073 } else {
2074 $database = null;
2075 $prefix = $this->mTablePrefix; # Default prefix
2076 }
2077 }
2078
2079 # Quote $table and apply the prefix if not quoted.
2080 $tableName = "{$prefix}{$table}";
2081 if ( $format == 'quoted' && !$this->isQuotedIdentifier( $tableName ) ) {
2082 $tableName = $this->addIdentifierQuotes( $tableName );
2083 }
2084
2085 # Quote $database and merge it with the table name if needed
2086 if ( $database !== null ) {
2087 if ( $format == 'quoted' && !$this->isQuotedIdentifier( $database ) ) {
2088 $database = $this->addIdentifierQuotes( $database );
2089 }
2090 $tableName = $database . '.' . $tableName;
2091 }
2092
2093 return $tableName;
2094 }
2095
2096 /**
2097 * Fetch a number of table names into an array
2098 * This is handy when you need to construct SQL for joins
2099 *
2100 * Example:
2101 * extract( $dbr->tableNames( 'user', 'watchlist' ) );
2102 * $sql = "SELECT wl_namespace,wl_title FROM $watchlist,$user
2103 * WHERE wl_user=user_id AND wl_user=$nameWithQuotes";
2104 *
2105 * @return array
2106 */
2107 public function tableNames() {
2108 $inArray = func_get_args();
2109 $retVal = array();
2110
2111 foreach ( $inArray as $name ) {
2112 $retVal[$name] = $this->tableName( $name );
2113 }
2114
2115 return $retVal;
2116 }
2117
2118 /**
2119 * Fetch a number of table names into an zero-indexed numerical array
2120 * This is handy when you need to construct SQL for joins
2121 *
2122 * Example:
2123 * list( $user, $watchlist ) = $dbr->tableNamesN( 'user', 'watchlist' );
2124 * $sql = "SELECT wl_namespace,wl_title FROM $watchlist,$user
2125 * WHERE wl_user=user_id AND wl_user=$nameWithQuotes";
2126 *
2127 * @return array
2128 */
2129 public function tableNamesN() {
2130 $inArray = func_get_args();
2131 $retVal = array();
2132
2133 foreach ( $inArray as $name ) {
2134 $retVal[] = $this->tableName( $name );
2135 }
2136
2137 return $retVal;
2138 }
2139
2140 /**
2141 * Get an aliased table name
2142 * e.g. tableName AS newTableName
2143 *
2144 * @param $name string Table name, see tableName()
2145 * @param $alias string|bool Alias (optional)
2146 * @return string SQL name for aliased table. Will not alias a table to its own name
2147 */
2148 public function tableNameWithAlias( $name, $alias = false ) {
2149 if ( !$alias || $alias == $name ) {
2150 return $this->tableName( $name );
2151 } else {
2152 return $this->tableName( $name ) . ' ' . $this->addIdentifierQuotes( $alias );
2153 }
2154 }
2155
2156 /**
2157 * Gets an array of aliased table names
2158 *
2159 * @param $tables array( [alias] => table )
2160 * @return array of strings, see tableNameWithAlias()
2161 */
2162 public function tableNamesWithAlias( $tables ) {
2163 $retval = array();
2164 foreach ( $tables as $alias => $table ) {
2165 if ( is_numeric( $alias ) ) {
2166 $alias = $table;
2167 }
2168 $retval[] = $this->tableNameWithAlias( $table, $alias );
2169 }
2170 return $retval;
2171 }
2172
2173 /**
2174 * Get an aliased field name
2175 * e.g. fieldName AS newFieldName
2176 *
2177 * @param $name string Field name
2178 * @param $alias string|bool Alias (optional)
2179 * @return string SQL name for aliased field. Will not alias a field to its own name
2180 */
2181 public function fieldNameWithAlias( $name, $alias = false ) {
2182 if ( !$alias || (string)$alias === (string)$name ) {
2183 return $name;
2184 } else {
2185 return $name . ' AS ' . $alias; //PostgreSQL needs AS
2186 }
2187 }
2188
2189 /**
2190 * Gets an array of aliased field names
2191 *
2192 * @param $fields array( [alias] => field )
2193 * @return array of strings, see fieldNameWithAlias()
2194 */
2195 public function fieldNamesWithAlias( $fields ) {
2196 $retval = array();
2197 foreach ( $fields as $alias => $field ) {
2198 if ( is_numeric( $alias ) ) {
2199 $alias = $field;
2200 }
2201 $retval[] = $this->fieldNameWithAlias( $field, $alias );
2202 }
2203 return $retval;
2204 }
2205
2206 /**
2207 * Get the aliased table name clause for a FROM clause
2208 * which might have a JOIN and/or USE INDEX clause
2209 *
2210 * @param $tables array ( [alias] => table )
2211 * @param $use_index array Same as for select()
2212 * @param $join_conds array Same as for select()
2213 * @return string
2214 */
2215 protected function tableNamesWithUseIndexOrJOIN(
2216 $tables, $use_index = array(), $join_conds = array()
2217 ) {
2218 $ret = array();
2219 $retJOIN = array();
2220 $use_index = (array)$use_index;
2221 $join_conds = (array)$join_conds;
2222
2223 foreach ( $tables as $alias => $table ) {
2224 if ( !is_string( $alias ) ) {
2225 // No alias? Set it equal to the table name
2226 $alias = $table;
2227 }
2228 // Is there a JOIN clause for this table?
2229 if ( isset( $join_conds[$alias] ) ) {
2230 list( $joinType, $conds ) = $join_conds[$alias];
2231 $tableClause = $joinType;
2232 $tableClause .= ' ' . $this->tableNameWithAlias( $table, $alias );
2233 if ( isset( $use_index[$alias] ) ) { // has USE INDEX?
2234 $use = $this->useIndexClause( implode( ',', (array)$use_index[$alias] ) );
2235 if ( $use != '' ) {
2236 $tableClause .= ' ' . $use;
2237 }
2238 }
2239 $on = $this->makeList( (array)$conds, LIST_AND );
2240 if ( $on != '' ) {
2241 $tableClause .= ' ON (' . $on . ')';
2242 }
2243
2244 $retJOIN[] = $tableClause;
2245 // Is there an INDEX clause for this table?
2246 } elseif ( isset( $use_index[$alias] ) ) {
2247 $tableClause = $this->tableNameWithAlias( $table, $alias );
2248 $tableClause .= ' ' . $this->useIndexClause(
2249 implode( ',', (array)$use_index[$alias] ) );
2250
2251 $ret[] = $tableClause;
2252 } else {
2253 $tableClause = $this->tableNameWithAlias( $table, $alias );
2254
2255 $ret[] = $tableClause;
2256 }
2257 }
2258
2259 // We can't separate explicit JOIN clauses with ',', use ' ' for those
2260 $straightJoins = !empty( $ret ) ? implode( ',', $ret ) : "";
2261 $otherJoins = !empty( $retJOIN ) ? implode( ' ', $retJOIN ) : "";
2262
2263 // Compile our final table clause
2264 return implode( ' ', array( $straightJoins, $otherJoins ) );
2265 }
2266
2267 /**
2268 * Get the name of an index in a given table
2269 *
2270 * @param $index
2271 *
2272 * @return string
2273 */
2274 protected function indexName( $index ) {
2275 // Backwards-compatibility hack
2276 $renamed = array(
2277 'ar_usertext_timestamp' => 'usertext_timestamp',
2278 'un_user_id' => 'user_id',
2279 'un_user_ip' => 'user_ip',
2280 );
2281
2282 if ( isset( $renamed[$index] ) ) {
2283 return $renamed[$index];
2284 } else {
2285 return $index;
2286 }
2287 }
2288
2289 /**
2290 * If it's a string, adds quotes and backslashes
2291 * Otherwise returns as-is
2292 *
2293 * @param $s string
2294 *
2295 * @return string
2296 */
2297 public function addQuotes( $s ) {
2298 if ( $s === null ) {
2299 return 'NULL';
2300 } else {
2301 # This will also quote numeric values. This should be harmless,
2302 # and protects against weird problems that occur when they really
2303 # _are_ strings such as article titles and string->number->string
2304 # conversion is not 1:1.
2305 return "'" . $this->strencode( $s ) . "'";
2306 }
2307 }
2308
2309 /**
2310 * Quotes an identifier using `backticks` or "double quotes" depending on the database type.
2311 * MySQL uses `backticks` while basically everything else uses double quotes.
2312 * Since MySQL is the odd one out here the double quotes are our generic
2313 * and we implement backticks in DatabaseMysql.
2314 *
2315 * @param $s string
2316 *
2317 * @return string
2318 */
2319 public function addIdentifierQuotes( $s ) {
2320 return '"' . str_replace( '"', '""', $s ) . '"';
2321 }
2322
2323 /**
2324 * Returns if the given identifier looks quoted or not according to
2325 * the database convention for quoting identifiers .
2326 *
2327 * @param $name string
2328 *
2329 * @return boolean
2330 */
2331 public function isQuotedIdentifier( $name ) {
2332 return $name[0] == '"' && substr( $name, -1, 1 ) == '"';
2333 }
2334
2335 /**
2336 * @param $s string
2337 * @return string
2338 */
2339 protected function escapeLikeInternal( $s ) {
2340 $s = str_replace( '\\', '\\\\', $s );
2341 $s = $this->strencode( $s );
2342 $s = str_replace( array( '%', '_' ), array( '\%', '\_' ), $s );
2343
2344 return $s;
2345 }
2346
2347 /**
2348 * LIKE statement wrapper, receives a variable-length argument list with parts of pattern to match
2349 * containing either string literals that will be escaped or tokens returned by anyChar() or anyString().
2350 * Alternatively, the function could be provided with an array of aforementioned parameters.
2351 *
2352 * Example: $dbr->buildLike( 'My_page_title/', $dbr->anyString() ) returns a LIKE clause that searches
2353 * for subpages of 'My page title'.
2354 * Alternatively: $pattern = array( 'My_page_title/', $dbr->anyString() ); $query .= $dbr->buildLike( $pattern );
2355 *
2356 * @since 1.16
2357 * @return String: fully built LIKE statement
2358 */
2359 public function buildLike() {
2360 $params = func_get_args();
2361
2362 if ( count( $params ) > 0 && is_array( $params[0] ) ) {
2363 $params = $params[0];
2364 }
2365
2366 $s = '';
2367
2368 foreach ( $params as $value ) {
2369 if ( $value instanceof LikeMatch ) {
2370 $s .= $value->toString();
2371 } else {
2372 $s .= $this->escapeLikeInternal( $value );
2373 }
2374 }
2375
2376 return " LIKE '" . $s . "' ";
2377 }
2378
2379 /**
2380 * Returns a token for buildLike() that denotes a '_' to be used in a LIKE query
2381 *
2382 * @return LikeMatch
2383 */
2384 public function anyChar() {
2385 return new LikeMatch( '_' );
2386 }
2387
2388 /**
2389 * Returns a token for buildLike() that denotes a '%' to be used in a LIKE query
2390 *
2391 * @return LikeMatch
2392 */
2393 public function anyString() {
2394 return new LikeMatch( '%' );
2395 }
2396
2397 /**
2398 * Returns an appropriately quoted sequence value for inserting a new row.
2399 * MySQL has autoincrement fields, so this is just NULL. But the PostgreSQL
2400 * subclass will return an integer, and save the value for insertId()
2401 *
2402 * Any implementation of this function should *not* involve reusing
2403 * sequence numbers created for rolled-back transactions.
2404 * See http://bugs.mysql.com/bug.php?id=30767 for details.
2405 * @param $seqName string
2406 * @return null
2407 */
2408 public function nextSequenceValue( $seqName ) {
2409 return null;
2410 }
2411
2412 /**
2413 * USE INDEX clause. Unlikely to be useful for anything but MySQL. This
2414 * is only needed because a) MySQL must be as efficient as possible due to
2415 * its use on Wikipedia, and b) MySQL 4.0 is kind of dumb sometimes about
2416 * which index to pick. Anyway, other databases might have different
2417 * indexes on a given table. So don't bother overriding this unless you're
2418 * MySQL.
2419 * @param $index
2420 * @return string
2421 */
2422 public function useIndexClause( $index ) {
2423 return '';
2424 }
2425
2426 /**
2427 * REPLACE query wrapper.
2428 *
2429 * REPLACE is a very handy MySQL extension, which functions like an INSERT
2430 * except that when there is a duplicate key error, the old row is deleted
2431 * and the new row is inserted in its place.
2432 *
2433 * We simulate this with standard SQL with a DELETE followed by INSERT. To
2434 * perform the delete, we need to know what the unique indexes are so that
2435 * we know how to find the conflicting rows.
2436 *
2437 * It may be more efficient to leave off unique indexes which are unlikely
2438 * to collide. However if you do this, you run the risk of encountering
2439 * errors which wouldn't have occurred in MySQL.
2440 *
2441 * @param $table String: The table to replace the row(s) in.
2442 * @param $rows array Can be either a single row to insert, or multiple rows,
2443 * in the same format as for DatabaseBase::insert()
2444 * @param $uniqueIndexes array is an array of indexes. Each element may be either
2445 * a field name or an array of field names
2446 * @param $fname String: Calling function name (use __METHOD__) for logs/profiling
2447 */
2448 public function replace( $table, $uniqueIndexes, $rows, $fname = 'DatabaseBase::replace' ) {
2449 $quotedTable = $this->tableName( $table );
2450
2451 if ( count( $rows ) == 0 ) {
2452 return;
2453 }
2454
2455 # Single row case
2456 if ( !is_array( reset( $rows ) ) ) {
2457 $rows = array( $rows );
2458 }
2459
2460 foreach( $rows as $row ) {
2461 # Delete rows which collide
2462 if ( $uniqueIndexes ) {
2463 $sql = "DELETE FROM $quotedTable WHERE ";
2464 $first = true;
2465 foreach ( $uniqueIndexes as $index ) {
2466 if ( $first ) {
2467 $first = false;
2468 $sql .= '( ';
2469 } else {
2470 $sql .= ' ) OR ( ';
2471 }
2472 if ( is_array( $index ) ) {
2473 $first2 = true;
2474 foreach ( $index as $col ) {
2475 if ( $first2 ) {
2476 $first2 = false;
2477 } else {
2478 $sql .= ' AND ';
2479 }
2480 $sql .= $col . '=' . $this->addQuotes( $row[$col] );
2481 }
2482 } else {
2483 $sql .= $index . '=' . $this->addQuotes( $row[$index] );
2484 }
2485 }
2486 $sql .= ' )';
2487 $this->query( $sql, $fname );
2488 }
2489
2490 # Now insert the row
2491 $this->insert( $table, $row );
2492 }
2493 }
2494
2495 /**
2496 * REPLACE query wrapper for MySQL and SQLite, which have a native REPLACE
2497 * statement.
2498 *
2499 * @param $table string Table name
2500 * @param $rows array Rows to insert
2501 * @param $fname string Caller function name
2502 *
2503 * @return ResultWrapper
2504 */
2505 protected function nativeReplace( $table, $rows, $fname ) {
2506 $table = $this->tableName( $table );
2507
2508 # Single row case
2509 if ( !is_array( reset( $rows ) ) ) {
2510 $rows = array( $rows );
2511 }
2512
2513 $sql = "REPLACE INTO $table (" . implode( ',', array_keys( $rows[0] ) ) . ') VALUES ';
2514 $first = true;
2515
2516 foreach ( $rows as $row ) {
2517 if ( $first ) {
2518 $first = false;
2519 } else {
2520 $sql .= ',';
2521 }
2522
2523 $sql .= '(' . $this->makeList( $row ) . ')';
2524 }
2525
2526 return $this->query( $sql, $fname );
2527 }
2528
2529 /**
2530 * DELETE where the condition is a join.
2531 *
2532 * MySQL overrides this to use a multi-table DELETE syntax, in other databases
2533 * we use sub-selects
2534 *
2535 * For safety, an empty $conds will not delete everything. If you want to
2536 * delete all rows where the join condition matches, set $conds='*'.
2537 *
2538 * DO NOT put the join condition in $conds.
2539 *
2540 * @param $delTable String: The table to delete from.
2541 * @param $joinTable String: The other table.
2542 * @param $delVar String: The variable to join on, in the first table.
2543 * @param $joinVar String: The variable to join on, in the second table.
2544 * @param $conds Array: Condition array of field names mapped to variables,
2545 * ANDed together in the WHERE clause
2546 * @param $fname String: Calling function name (use __METHOD__) for
2547 * logs/profiling
2548 * @throws DBUnexpectedError
2549 */
2550 public function deleteJoin( $delTable, $joinTable, $delVar, $joinVar, $conds,
2551 $fname = 'DatabaseBase::deleteJoin' )
2552 {
2553 if ( !$conds ) {
2554 throw new DBUnexpectedError( $this,
2555 'DatabaseBase::deleteJoin() called with empty $conds' );
2556 }
2557
2558 $delTable = $this->tableName( $delTable );
2559 $joinTable = $this->tableName( $joinTable );
2560 $sql = "DELETE FROM $delTable WHERE $delVar IN (SELECT $joinVar FROM $joinTable ";
2561 if ( $conds != '*' ) {
2562 $sql .= 'WHERE ' . $this->makeList( $conds, LIST_AND );
2563 }
2564 $sql .= ')';
2565
2566 $this->query( $sql, $fname );
2567 }
2568
2569 /**
2570 * Returns the size of a text field, or -1 for "unlimited"
2571 *
2572 * @param $table string
2573 * @param $field string
2574 *
2575 * @return int
2576 */
2577 public function textFieldSize( $table, $field ) {
2578 $table = $this->tableName( $table );
2579 $sql = "SHOW COLUMNS FROM $table LIKE \"$field\";";
2580 $res = $this->query( $sql, 'DatabaseBase::textFieldSize' );
2581 $row = $this->fetchObject( $res );
2582
2583 $m = array();
2584
2585 if ( preg_match( '/\((.*)\)/', $row->Type, $m ) ) {
2586 $size = $m[1];
2587 } else {
2588 $size = -1;
2589 }
2590
2591 return $size;
2592 }
2593
2594 /**
2595 * A string to insert into queries to show that they're low-priority, like
2596 * MySQL's LOW_PRIORITY. If no such feature exists, return an empty
2597 * string and nothing bad should happen.
2598 *
2599 * @return string Returns the text of the low priority option if it is
2600 * supported, or a blank string otherwise
2601 */
2602 public function lowPriorityOption() {
2603 return '';
2604 }
2605
2606 /**
2607 * DELETE query wrapper.
2608 *
2609 * @param $table Array Table name
2610 * @param $conds String|Array of conditions. See $conds in DatabaseBase::select() for
2611 * the format. Use $conds == "*" to delete all rows
2612 * @param $fname String name of the calling function
2613 *
2614 * @throws DBUnexpectedError
2615 * @return bool|ResultWrapper
2616 */
2617 public function delete( $table, $conds, $fname = 'DatabaseBase::delete' ) {
2618 if ( !$conds ) {
2619 throw new DBUnexpectedError( $this, 'DatabaseBase::delete() called with no conditions' );
2620 }
2621
2622 $table = $this->tableName( $table );
2623 $sql = "DELETE FROM $table";
2624
2625 if ( $conds != '*' ) {
2626 $sql .= ' WHERE ' . $this->makeList( $conds, LIST_AND );
2627 }
2628
2629 return $this->query( $sql, $fname );
2630 }
2631
2632 /**
2633 * INSERT SELECT wrapper. Takes data from a SELECT query and inserts it
2634 * into another table.
2635 *
2636 * @param $destTable string The table name to insert into
2637 * @param $srcTable string|array May be either a table name, or an array of table names
2638 * to include in a join.
2639 *
2640 * @param $varMap array must be an associative array of the form
2641 * array( 'dest1' => 'source1', ...). Source items may be literals
2642 * rather than field names, but strings should be quoted with
2643 * DatabaseBase::addQuotes()
2644 *
2645 * @param $conds array Condition array. See $conds in DatabaseBase::select() for
2646 * the details of the format of condition arrays. May be "*" to copy the
2647 * whole table.
2648 *
2649 * @param $fname string The function name of the caller, from __METHOD__
2650 *
2651 * @param $insertOptions array Options for the INSERT part of the query, see
2652 * DatabaseBase::insert() for details.
2653 * @param $selectOptions array Options for the SELECT part of the query, see
2654 * DatabaseBase::select() for details.
2655 *
2656 * @return ResultWrapper
2657 */
2658 public function insertSelect( $destTable, $srcTable, $varMap, $conds,
2659 $fname = 'DatabaseBase::insertSelect',
2660 $insertOptions = array(), $selectOptions = array() )
2661 {
2662 $destTable = $this->tableName( $destTable );
2663
2664 if ( is_array( $insertOptions ) ) {
2665 $insertOptions = implode( ' ', $insertOptions );
2666 }
2667
2668 if ( !is_array( $selectOptions ) ) {
2669 $selectOptions = array( $selectOptions );
2670 }
2671
2672 list( $startOpts, $useIndex, $tailOpts ) = $this->makeSelectOptions( $selectOptions );
2673
2674 if ( is_array( $srcTable ) ) {
2675 $srcTable = implode( ',', array_map( array( &$this, 'tableName' ), $srcTable ) );
2676 } else {
2677 $srcTable = $this->tableName( $srcTable );
2678 }
2679
2680 $sql = "INSERT $insertOptions INTO $destTable (" . implode( ',', array_keys( $varMap ) ) . ')' .
2681 " SELECT $startOpts " . implode( ',', $varMap ) .
2682 " FROM $srcTable $useIndex ";
2683
2684 if ( $conds != '*' ) {
2685 if ( is_array( $conds ) ) {
2686 $conds = $this->makeList( $conds, LIST_AND );
2687 }
2688 $sql .= " WHERE $conds";
2689 }
2690
2691 $sql .= " $tailOpts";
2692
2693 return $this->query( $sql, $fname );
2694 }
2695
2696 /**
2697 * Construct a LIMIT query with optional offset. This is used for query
2698 * pages. The SQL should be adjusted so that only the first $limit rows
2699 * are returned. If $offset is provided as well, then the first $offset
2700 * rows should be discarded, and the next $limit rows should be returned.
2701 * If the result of the query is not ordered, then the rows to be returned
2702 * are theoretically arbitrary.
2703 *
2704 * $sql is expected to be a SELECT, if that makes a difference.
2705 *
2706 * The version provided by default works in MySQL and SQLite. It will very
2707 * likely need to be overridden for most other DBMSes.
2708 *
2709 * @param $sql String SQL query we will append the limit too
2710 * @param $limit Integer the SQL limit
2711 * @param $offset Integer|bool the SQL offset (default false)
2712 *
2713 * @throws DBUnexpectedError
2714 * @return string
2715 */
2716 public function limitResult( $sql, $limit, $offset = false ) {
2717 if ( !is_numeric( $limit ) ) {
2718 throw new DBUnexpectedError( $this, "Invalid non-numeric limit passed to limitResult()\n" );
2719 }
2720 return "$sql LIMIT "
2721 . ( ( is_numeric( $offset ) && $offset != 0 ) ? "{$offset}," : "" )
2722 . "{$limit} ";
2723 }
2724
2725 /**
2726 * Returns true if current database backend supports ORDER BY or LIMIT for separate subqueries
2727 * within the UNION construct.
2728 * @return Boolean
2729 */
2730 public function unionSupportsOrderAndLimit() {
2731 return true; // True for almost every DB supported
2732 }
2733
2734 /**
2735 * Construct a UNION query
2736 * This is used for providing overload point for other DB abstractions
2737 * not compatible with the MySQL syntax.
2738 * @param $sqls Array: SQL statements to combine
2739 * @param $all Boolean: use UNION ALL
2740 * @return String: SQL fragment
2741 */
2742 public function unionQueries( $sqls, $all ) {
2743 $glue = $all ? ') UNION ALL (' : ') UNION (';
2744 return '(' . implode( $glue, $sqls ) . ')';
2745 }
2746
2747 /**
2748 * Returns an SQL expression for a simple conditional. This doesn't need
2749 * to be overridden unless CASE isn't supported in your DBMS.
2750 *
2751 * @param $cond string|array SQL expression which will result in a boolean value
2752 * @param $trueVal String: SQL expression to return if true
2753 * @param $falseVal String: SQL expression to return if false
2754 * @return String: SQL fragment
2755 */
2756 public function conditional( $cond, $trueVal, $falseVal ) {
2757 if ( is_array( $cond ) ) {
2758 $cond = $this->makeList( $cond, LIST_AND );
2759 }
2760 return " (CASE WHEN $cond THEN $trueVal ELSE $falseVal END) ";
2761 }
2762
2763 /**
2764 * Returns a comand for str_replace function in SQL query.
2765 * Uses REPLACE() in MySQL
2766 *
2767 * @param $orig String: column to modify
2768 * @param $old String: column to seek
2769 * @param $new String: column to replace with
2770 *
2771 * @return string
2772 */
2773 public function strreplace( $orig, $old, $new ) {
2774 return "REPLACE({$orig}, {$old}, {$new})";
2775 }
2776
2777 /**
2778 * Determines how long the server has been up
2779 * STUB
2780 *
2781 * @return int
2782 */
2783 public function getServerUptime() {
2784 return 0;
2785 }
2786
2787 /**
2788 * Determines if the last failure was due to a deadlock
2789 * STUB
2790 *
2791 * @return bool
2792 */
2793 public function wasDeadlock() {
2794 return false;
2795 }
2796
2797 /**
2798 * Determines if the last failure was due to a lock timeout
2799 * STUB
2800 *
2801 * @return bool
2802 */
2803 public function wasLockTimeout() {
2804 return false;
2805 }
2806
2807 /**
2808 * Determines if the last query error was something that should be dealt
2809 * with by pinging the connection and reissuing the query.
2810 * STUB
2811 *
2812 * @return bool
2813 */
2814 public function wasErrorReissuable() {
2815 return false;
2816 }
2817
2818 /**
2819 * Determines if the last failure was due to the database being read-only.
2820 * STUB
2821 *
2822 * @return bool
2823 */
2824 public function wasReadOnlyError() {
2825 return false;
2826 }
2827
2828 /**
2829 * Perform a deadlock-prone transaction.
2830 *
2831 * This function invokes a callback function to perform a set of write
2832 * queries. If a deadlock occurs during the processing, the transaction
2833 * will be rolled back and the callback function will be called again.
2834 *
2835 * Usage:
2836 * $dbw->deadlockLoop( callback, ... );
2837 *
2838 * Extra arguments are passed through to the specified callback function.
2839 *
2840 * Returns whatever the callback function returned on its successful,
2841 * iteration, or false on error, for example if the retry limit was
2842 * reached.
2843 *
2844 * @return bool
2845 */
2846 public function deadlockLoop() {
2847 $this->begin( __METHOD__ );
2848 $args = func_get_args();
2849 $function = array_shift( $args );
2850 $oldIgnore = $this->ignoreErrors( true );
2851 $tries = DEADLOCK_TRIES;
2852
2853 if ( is_array( $function ) ) {
2854 $fname = $function[0];
2855 } else {
2856 $fname = $function;
2857 }
2858
2859 do {
2860 $retVal = call_user_func_array( $function, $args );
2861 $error = $this->lastError();
2862 $errno = $this->lastErrno();
2863 $sql = $this->lastQuery();
2864
2865 if ( $errno ) {
2866 if ( $this->wasDeadlock() ) {
2867 # Retry
2868 usleep( mt_rand( DEADLOCK_DELAY_MIN, DEADLOCK_DELAY_MAX ) );
2869 } else {
2870 $this->reportQueryError( $error, $errno, $sql, $fname );
2871 }
2872 }
2873 } while ( $this->wasDeadlock() && --$tries > 0 );
2874
2875 $this->ignoreErrors( $oldIgnore );
2876
2877 if ( $tries <= 0 ) {
2878 $this->rollback( __METHOD__ );
2879 $this->reportQueryError( $error, $errno, $sql, $fname );
2880 return false;
2881 } else {
2882 $this->commit( __METHOD__ );
2883 return $retVal;
2884 }
2885 }
2886
2887 /**
2888 * Wait for the slave to catch up to a given master position.
2889 *
2890 * @param $pos DBMasterPos object
2891 * @param $timeout Integer: the maximum number of seconds to wait for
2892 * synchronisation
2893 *
2894 * @return integer: zero if the slave was past that position already,
2895 * greater than zero if we waited for some period of time, less than
2896 * zero if we timed out.
2897 */
2898 public function masterPosWait( DBMasterPos $pos, $timeout ) {
2899 wfProfileIn( __METHOD__ );
2900
2901 if ( !is_null( $this->mFakeSlaveLag ) ) {
2902 $wait = intval( ( $pos->pos - microtime( true ) + $this->mFakeSlaveLag ) * 1e6 );
2903
2904 if ( $wait > $timeout * 1e6 ) {
2905 wfDebug( "Fake slave timed out waiting for $pos ($wait us)\n" );
2906 wfProfileOut( __METHOD__ );
2907 return -1;
2908 } elseif ( $wait > 0 ) {
2909 wfDebug( "Fake slave waiting $wait us\n" );
2910 usleep( $wait );
2911 wfProfileOut( __METHOD__ );
2912 return 1;
2913 } else {
2914 wfDebug( "Fake slave up to date ($wait us)\n" );
2915 wfProfileOut( __METHOD__ );
2916 return 0;
2917 }
2918 }
2919
2920 wfProfileOut( __METHOD__ );
2921
2922 # Real waits are implemented in the subclass.
2923 return 0;
2924 }
2925
2926 /**
2927 * Get the replication position of this slave
2928 *
2929 * @return DBMasterPos, or false if this is not a slave.
2930 */
2931 public function getSlavePos() {
2932 if ( !is_null( $this->mFakeSlaveLag ) ) {
2933 $pos = new MySQLMasterPos( 'fake', microtime( true ) - $this->mFakeSlaveLag );
2934 wfDebug( __METHOD__ . ": fake slave pos = $pos\n" );
2935 return $pos;
2936 } else {
2937 # Stub
2938 return false;
2939 }
2940 }
2941
2942 /**
2943 * Get the position of this master
2944 *
2945 * @return DBMasterPos, or false if this is not a master
2946 */
2947 public function getMasterPos() {
2948 if ( $this->mFakeMaster ) {
2949 return new MySQLMasterPos( 'fake', microtime( true ) );
2950 } else {
2951 return false;
2952 }
2953 }
2954
2955 /**
2956 * Run an anonymous function as soon as there is no transaction pending.
2957 * If there is a transaction and it is rolled back, then the callback is cancelled.
2958 * Callbacks must commit any transactions that they begin.
2959 *
2960 * This is useful for updates to different systems or separate transactions are needed.
2961 *
2962 * @since 1.20
2963 *
2964 * @param Closure $callback
2965 */
2966 final public function onTransactionIdle( Closure $callback ) {
2967 if ( $this->mTrxLevel ) {
2968 $this->mTrxIdleCallbacks[] = $callback;
2969 } else {
2970 $callback();
2971 }
2972 }
2973
2974 /**
2975 * Actually run the "on transaction idle" callbacks.
2976 *
2977 * @since 1.20
2978 */
2979 protected function runOnTransactionIdleCallbacks() {
2980 $autoTrx = $this->getFlag( DBO_TRX ); // automatic begin() enabled?
2981
2982 $e = null; // last exception
2983 do { // callbacks may add callbacks :)
2984 $callbacks = $this->mTrxIdleCallbacks;
2985 $this->mTrxIdleCallbacks = array(); // recursion guard
2986 foreach ( $callbacks as $callback ) {
2987 try {
2988 $this->clearFlag( DBO_TRX ); // make each query its own transaction
2989 $callback();
2990 $this->setFlag( $autoTrx ? DBO_TRX : 0 ); // restore automatic begin()
2991 } catch ( Exception $e ) {}
2992 }
2993 } while ( count( $this->mTrxIdleCallbacks ) );
2994
2995 if ( $e instanceof Exception ) {
2996 throw $e; // re-throw any last exception
2997 }
2998 }
2999
3000 /**
3001 * Begin a transaction. If a transaction is already in progress, that transaction will be committed before the
3002 * new transaction is started.
3003 *
3004 * Note that when the DBO_TRX flag is set (which is usually the case for web requests, but not for maintenance scripts),
3005 * any previous database query will have started a transaction automatically.
3006 *
3007 * Nesting of transactions is not supported. Attempts to nest transactions will cause a warning, unless the current
3008 * transaction was started automatically because of the DBO_TRX flag.
3009 *
3010 * @param $fname string
3011 */
3012 final public function begin( $fname = 'DatabaseBase::begin' ) {
3013 global $wgDebugDBTransactions;
3014
3015 if ( $this->mTrxLevel ) { // implicit commit
3016 if ( !$this->mTrxAutomatic ) {
3017 // We want to warn about inadvertently nested begin/commit pairs, but not about
3018 // auto-committing implicit transactions that were started by query() via DBO_TRX
3019 $msg = "$fname: Transaction already in progress (from {$this->mTrxFname}), " .
3020 " performing implicit commit!";
3021 wfWarn( $msg );
3022 wfLogDBError( $msg );
3023 } else {
3024 // if the transaction was automatic and has done write operations,
3025 // log it if $wgDebugDBTransactions is enabled.
3026 if ( $this->mTrxDoneWrites && $wgDebugDBTransactions ) {
3027 wfDebug( "$fname: Automatic transaction with writes in progress" .
3028 " (from {$this->mTrxFname}), performing implicit commit!\n" );
3029 }
3030 }
3031
3032 $this->doCommit( $fname );
3033 $this->runOnTransactionIdleCallbacks();
3034 }
3035
3036 $this->doBegin( $fname );
3037 $this->mTrxFname = $fname;
3038 $this->mTrxDoneWrites = false;
3039 $this->mTrxAutomatic = false;
3040 }
3041
3042 /**
3043 * Issues the BEGIN command to the database server.
3044 *
3045 * @see DatabaseBase::begin()
3046 * @param type $fname
3047 */
3048 protected function doBegin( $fname ) {
3049 $this->query( 'BEGIN', $fname );
3050 $this->mTrxLevel = 1;
3051 }
3052
3053 /**
3054 * Commits a transaction previously started using begin().
3055 * If no transaction is in progress, a warning is issued.
3056 *
3057 * Nesting of transactions is not supported.
3058 *
3059 * @param $fname string
3060 * @param $flush String Flush flag, set to 'flush' to disable warnings about explicitly committing implicit
3061 * transactions, or calling commit when no transaction is in progress.
3062 * This will silently break any ongoing explicit transaction. Only set the flush flag if you are sure
3063 * that it is safe to ignore these warnings in your context.
3064 */
3065 final public function commit( $fname = 'DatabaseBase::commit', $flush = '' ) {
3066 if ( $flush != 'flush' ) {
3067 if ( !$this->mTrxLevel ) {
3068 wfWarn( "$fname: No transaction to commit, something got out of sync!" );
3069 } elseif( $this->mTrxAutomatic ) {
3070 wfWarn( "$fname: Explicit commit of implicit transaction. Something may be out of sync!" );
3071 }
3072 } else {
3073 if ( !$this->mTrxLevel ) {
3074 return; // nothing to do
3075 } elseif( !$this->mTrxAutomatic ) {
3076 wfWarn( "$fname: Flushing an explicit transaction, getting out of sync!" );
3077 }
3078 }
3079
3080 $this->doCommit( $fname );
3081 $this->runOnTransactionIdleCallbacks();
3082 }
3083
3084 /**
3085 * Issues the COMMIT command to the database server.
3086 *
3087 * @see DatabaseBase::commit()
3088 * @param type $fname
3089 */
3090 protected function doCommit( $fname ) {
3091 if ( $this->mTrxLevel ) {
3092 $this->query( 'COMMIT', $fname );
3093 $this->mTrxLevel = 0;
3094 }
3095 }
3096
3097 /**
3098 * Rollback a transaction previously started using begin().
3099 * If no transaction is in progress, a warning is issued.
3100 *
3101 * No-op on non-transactional databases.
3102 *
3103 * @param $fname string
3104 */
3105 final public function rollback( $fname = 'DatabaseBase::rollback' ) {
3106 if ( !$this->mTrxLevel ) {
3107 wfWarn( "$fname: No transaction to rollback, something got out of sync!" );
3108 }
3109 $this->doRollback( $fname );
3110 $this->mTrxIdleCallbacks = array(); // cancel
3111 }
3112
3113 /**
3114 * Issues the ROLLBACK command to the database server.
3115 *
3116 * @see DatabaseBase::rollback()
3117 * @param type $fname
3118 */
3119 protected function doRollback( $fname ) {
3120 if ( $this->mTrxLevel ) {
3121 $this->query( 'ROLLBACK', $fname, true );
3122 $this->mTrxLevel = 0;
3123 }
3124 }
3125
3126 /**
3127 * Creates a new table with structure copied from existing table
3128 * Note that unlike most database abstraction functions, this function does not
3129 * automatically append database prefix, because it works at a lower
3130 * abstraction level.
3131 * The table names passed to this function shall not be quoted (this
3132 * function calls addIdentifierQuotes when needed).
3133 *
3134 * @param $oldName String: name of table whose structure should be copied
3135 * @param $newName String: name of table to be created
3136 * @param $temporary Boolean: whether the new table should be temporary
3137 * @param $fname String: calling function name
3138 * @throws MWException
3139 * @return Boolean: true if operation was successful
3140 */
3141 public function duplicateTableStructure( $oldName, $newName, $temporary = false,
3142 $fname = 'DatabaseBase::duplicateTableStructure' )
3143 {
3144 throw new MWException(
3145 'DatabaseBase::duplicateTableStructure is not implemented in descendant class' );
3146 }
3147
3148 /**
3149 * List all tables on the database
3150 *
3151 * @param $prefix string Only show tables with this prefix, e.g. mw_
3152 * @param $fname String: calling function name
3153 * @throws MWException
3154 */
3155 function listTables( $prefix = null, $fname = 'DatabaseBase::listTables' ) {
3156 throw new MWException( 'DatabaseBase::listTables is not implemented in descendant class' );
3157 }
3158
3159 /**
3160 * Convert a timestamp in one of the formats accepted by wfTimestamp()
3161 * to the format used for inserting into timestamp fields in this DBMS.
3162 *
3163 * The result is unquoted, and needs to be passed through addQuotes()
3164 * before it can be included in raw SQL.
3165 *
3166 * @param $ts string|int
3167 *
3168 * @return string
3169 */
3170 public function timestamp( $ts = 0 ) {
3171 return wfTimestamp( TS_MW, $ts );
3172 }
3173
3174 /**
3175 * Convert a timestamp in one of the formats accepted by wfTimestamp()
3176 * to the format used for inserting into timestamp fields in this DBMS. If
3177 * NULL is input, it is passed through, allowing NULL values to be inserted
3178 * into timestamp fields.
3179 *
3180 * The result is unquoted, and needs to be passed through addQuotes()
3181 * before it can be included in raw SQL.
3182 *
3183 * @param $ts string|int
3184 *
3185 * @return string
3186 */
3187 public function timestampOrNull( $ts = null ) {
3188 if ( is_null( $ts ) ) {
3189 return null;
3190 } else {
3191 return $this->timestamp( $ts );
3192 }
3193 }
3194
3195 /**
3196 * Take the result from a query, and wrap it in a ResultWrapper if
3197 * necessary. Boolean values are passed through as is, to indicate success
3198 * of write queries or failure.
3199 *
3200 * Once upon a time, DatabaseBase::query() returned a bare MySQL result
3201 * resource, and it was necessary to call this function to convert it to
3202 * a wrapper. Nowadays, raw database objects are never exposed to external
3203 * callers, so this is unnecessary in external code. For compatibility with
3204 * old code, ResultWrapper objects are passed through unaltered.
3205 *
3206 * @param $result bool|ResultWrapper
3207 *
3208 * @return bool|ResultWrapper
3209 */
3210 public function resultObject( $result ) {
3211 if ( empty( $result ) ) {
3212 return false;
3213 } elseif ( $result instanceof ResultWrapper ) {
3214 return $result;
3215 } elseif ( $result === true ) {
3216 // Successful write query
3217 return $result;
3218 } else {
3219 return new ResultWrapper( $this, $result );
3220 }
3221 }
3222
3223 /**
3224 * Ping the server and try to reconnect if it there is no connection
3225 *
3226 * @return bool Success or failure
3227 */
3228 public function ping() {
3229 # Stub. Not essential to override.
3230 return true;
3231 }
3232
3233 /**
3234 * Get slave lag. Currently supported only by MySQL.
3235 *
3236 * Note that this function will generate a fatal error on many
3237 * installations. Most callers should use LoadBalancer::safeGetLag()
3238 * instead.
3239 *
3240 * @return int Database replication lag in seconds
3241 */
3242 public function getLag() {
3243 return intval( $this->mFakeSlaveLag );
3244 }
3245
3246 /**
3247 * Return the maximum number of items allowed in a list, or 0 for unlimited.
3248 *
3249 * @return int
3250 */
3251 function maxListLen() {
3252 return 0;
3253 }
3254
3255 /**
3256 * Some DBMSs have a special format for inserting into blob fields, they
3257 * don't allow simple quoted strings to be inserted. To insert into such
3258 * a field, pass the data through this function before passing it to
3259 * DatabaseBase::insert().
3260 * @param $b string
3261 * @return string
3262 */
3263 public function encodeBlob( $b ) {
3264 return $b;
3265 }
3266
3267 /**
3268 * Some DBMSs return a special placeholder object representing blob fields
3269 * in result objects. Pass the object through this function to return the
3270 * original string.
3271 * @param $b string
3272 * @return string
3273 */
3274 public function decodeBlob( $b ) {
3275 return $b;
3276 }
3277
3278 /**
3279 * Override database's default behavior. $options include:
3280 * 'connTimeout' : Set the connection timeout value in seconds.
3281 * May be useful for very long batch queries such as
3282 * full-wiki dumps, where a single query reads out over
3283 * hours or days.
3284 *
3285 * @param $options Array
3286 * @return void
3287 */
3288 public function setSessionOptions( array $options ) {}
3289
3290 /**
3291 * Read and execute SQL commands from a file.
3292 *
3293 * Returns true on success, error string or exception on failure (depending
3294 * on object's error ignore settings).
3295 *
3296 * @param $filename String: File name to open
3297 * @param bool|callable $lineCallback Optional function called before reading each line
3298 * @param bool|callable $resultCallback Optional function called for each MySQL result
3299 * @param bool|string $fname Calling function name or false if name should be
3300 * generated dynamically using $filename
3301 * @param bool|callable $inputCallback Callback: Optional function called for each complete line sent
3302 * @throws MWException
3303 * @throws Exception|MWException
3304 * @return bool|string
3305 */
3306 public function sourceFile(
3307 $filename, $lineCallback = false, $resultCallback = false, $fname = false, $inputCallback = false
3308 ) {
3309 wfSuppressWarnings();
3310 $fp = fopen( $filename, 'r' );
3311 wfRestoreWarnings();
3312
3313 if ( false === $fp ) {
3314 throw new MWException( "Could not open \"{$filename}\".\n" );
3315 }
3316
3317 if ( !$fname ) {
3318 $fname = __METHOD__ . "( $filename )";
3319 }
3320
3321 try {
3322 $error = $this->sourceStream( $fp, $lineCallback, $resultCallback, $fname, $inputCallback );
3323 }
3324 catch ( MWException $e ) {
3325 fclose( $fp );
3326 throw $e;
3327 }
3328
3329 fclose( $fp );
3330
3331 return $error;
3332 }
3333
3334 /**
3335 * Get the full path of a patch file. Originally based on archive()
3336 * from updaters.inc. Keep in mind this always returns a patch, as
3337 * it fails back to MySQL if no DB-specific patch can be found
3338 *
3339 * @param $patch String The name of the patch, like patch-something.sql
3340 * @return String Full path to patch file
3341 */
3342 public function patchPath( $patch ) {
3343 global $IP;
3344
3345 $dbType = $this->getType();
3346 if ( file_exists( "$IP/maintenance/$dbType/archives/$patch" ) ) {
3347 return "$IP/maintenance/$dbType/archives/$patch";
3348 } else {
3349 return "$IP/maintenance/archives/$patch";
3350 }
3351 }
3352
3353 /**
3354 * Set variables to be used in sourceFile/sourceStream, in preference to the
3355 * ones in $GLOBALS. If an array is set here, $GLOBALS will not be used at
3356 * all. If it's set to false, $GLOBALS will be used.
3357 *
3358 * @param $vars bool|array mapping variable name to value.
3359 */
3360 public function setSchemaVars( $vars ) {
3361 $this->mSchemaVars = $vars;
3362 }
3363
3364 /**
3365 * Read and execute commands from an open file handle.
3366 *
3367 * Returns true on success, error string or exception on failure (depending
3368 * on object's error ignore settings).
3369 *
3370 * @param $fp Resource: File handle
3371 * @param $lineCallback Callback: Optional function called before reading each query
3372 * @param $resultCallback Callback: Optional function called for each MySQL result
3373 * @param $fname String: Calling function name
3374 * @param $inputCallback Callback: Optional function called for each complete query sent
3375 * @return bool|string
3376 */
3377 public function sourceStream( $fp, $lineCallback = false, $resultCallback = false,
3378 $fname = 'DatabaseBase::sourceStream', $inputCallback = false )
3379 {
3380 $cmd = '';
3381
3382 while ( !feof( $fp ) ) {
3383 if ( $lineCallback ) {
3384 call_user_func( $lineCallback );
3385 }
3386
3387 $line = trim( fgets( $fp ) );
3388
3389 if ( $line == '' ) {
3390 continue;
3391 }
3392
3393 if ( '-' == $line[0] && '-' == $line[1] ) {
3394 continue;
3395 }
3396
3397 if ( $cmd != '' ) {
3398 $cmd .= ' ';
3399 }
3400
3401 $done = $this->streamStatementEnd( $cmd, $line );
3402
3403 $cmd .= "$line\n";
3404
3405 if ( $done || feof( $fp ) ) {
3406 $cmd = $this->replaceVars( $cmd );
3407
3408 if ( ( $inputCallback && call_user_func( $inputCallback, $cmd ) ) || !$inputCallback ) {
3409 $res = $this->query( $cmd, $fname );
3410
3411 if ( $resultCallback ) {
3412 call_user_func( $resultCallback, $res, $this );
3413 }
3414
3415 if ( false === $res ) {
3416 $err = $this->lastError();
3417 return "Query \"{$cmd}\" failed with error code \"$err\".\n";
3418 }
3419 }
3420 $cmd = '';
3421 }
3422 }
3423
3424 return true;
3425 }
3426
3427 /**
3428 * Called by sourceStream() to check if we've reached a statement end
3429 *
3430 * @param $sql String SQL assembled so far
3431 * @param $newLine String New line about to be added to $sql
3432 * @return Bool Whether $newLine contains end of the statement
3433 */
3434 public function streamStatementEnd( &$sql, &$newLine ) {
3435 if ( $this->delimiter ) {
3436 $prev = $newLine;
3437 $newLine = preg_replace( '/' . preg_quote( $this->delimiter, '/' ) . '$/', '', $newLine );
3438 if ( $newLine != $prev ) {
3439 return true;
3440 }
3441 }
3442 return false;
3443 }
3444
3445 /**
3446 * Database independent variable replacement. Replaces a set of variables
3447 * in an SQL statement with their contents as given by $this->getSchemaVars().
3448 *
3449 * Supports '{$var}' `{$var}` and / *$var* / (without the spaces) style variables.
3450 *
3451 * - '{$var}' should be used for text and is passed through the database's
3452 * addQuotes method.
3453 * - `{$var}` should be used for identifiers (eg: table and database names),
3454 * it is passed through the database's addIdentifierQuotes method which
3455 * can be overridden if the database uses something other than backticks.
3456 * - / *$var* / is just encoded, besides traditional table prefix and
3457 * table options its use should be avoided.
3458 *
3459 * @param $ins String: SQL statement to replace variables in
3460 * @return String The new SQL statement with variables replaced
3461 */
3462 protected function replaceSchemaVars( $ins ) {
3463 $vars = $this->getSchemaVars();
3464 foreach ( $vars as $var => $value ) {
3465 // replace '{$var}'
3466 $ins = str_replace( '\'{$' . $var . '}\'', $this->addQuotes( $value ), $ins );
3467 // replace `{$var}`
3468 $ins = str_replace( '`{$' . $var . '}`', $this->addIdentifierQuotes( $value ), $ins );
3469 // replace /*$var*/
3470 $ins = str_replace( '/*$' . $var . '*/', $this->strencode( $value ), $ins );
3471 }
3472 return $ins;
3473 }
3474
3475 /**
3476 * Replace variables in sourced SQL
3477 *
3478 * @param $ins string
3479 *
3480 * @return string
3481 */
3482 protected function replaceVars( $ins ) {
3483 $ins = $this->replaceSchemaVars( $ins );
3484
3485 // Table prefixes
3486 $ins = preg_replace_callback( '!/\*(?:\$wgDBprefix|_)\*/([a-zA-Z_0-9]*)!',
3487 array( $this, 'tableNameCallback' ), $ins );
3488
3489 // Index names
3490 $ins = preg_replace_callback( '!/\*i\*/([a-zA-Z_0-9]*)!',
3491 array( $this, 'indexNameCallback' ), $ins );
3492
3493 return $ins;
3494 }
3495
3496 /**
3497 * Get schema variables. If none have been set via setSchemaVars(), then
3498 * use some defaults from the current object.
3499 *
3500 * @return array
3501 */
3502 protected function getSchemaVars() {
3503 if ( $this->mSchemaVars ) {
3504 return $this->mSchemaVars;
3505 } else {
3506 return $this->getDefaultSchemaVars();
3507 }
3508 }
3509
3510 /**
3511 * Get schema variables to use if none have been set via setSchemaVars().
3512 *
3513 * Override this in derived classes to provide variables for tables.sql
3514 * and SQL patch files.
3515 *
3516 * @return array
3517 */
3518 protected function getDefaultSchemaVars() {
3519 return array();
3520 }
3521
3522 /**
3523 * Table name callback
3524 *
3525 * @param $matches array
3526 *
3527 * @return string
3528 */
3529 protected function tableNameCallback( $matches ) {
3530 return $this->tableName( $matches[1] );
3531 }
3532
3533 /**
3534 * Index name callback
3535 *
3536 * @param $matches array
3537 *
3538 * @return string
3539 */
3540 protected function indexNameCallback( $matches ) {
3541 return $this->indexName( $matches[1] );
3542 }
3543
3544 /**
3545 * Check to see if a named lock is available. This is non-blocking.
3546 *
3547 * @param $lockName String: name of lock to poll
3548 * @param $method String: name of method calling us
3549 * @return Boolean
3550 * @since 1.20
3551 */
3552 public function lockIsFree( $lockName, $method ) {
3553 return true;
3554 }
3555
3556 /**
3557 * Acquire a named lock
3558 *
3559 * Abstracted from Filestore::lock() so child classes can implement for
3560 * their own needs.
3561 *
3562 * @param $lockName String: name of lock to aquire
3563 * @param $method String: name of method calling us
3564 * @param $timeout Integer: timeout
3565 * @return Boolean
3566 */
3567 public function lock( $lockName, $method, $timeout = 5 ) {
3568 return true;
3569 }
3570
3571 /**
3572 * Release a lock.
3573 *
3574 * @param $lockName String: Name of lock to release
3575 * @param $method String: Name of method calling us
3576 *
3577 * @return int Returns 1 if the lock was released, 0 if the lock was not established
3578 * by this thread (in which case the lock is not released), and NULL if the named
3579 * lock did not exist
3580 */
3581 public function unlock( $lockName, $method ) {
3582 return true;
3583 }
3584
3585 /**
3586 * Lock specific tables
3587 *
3588 * @param $read Array of tables to lock for read access
3589 * @param $write Array of tables to lock for write access
3590 * @param $method String name of caller
3591 * @param $lowPriority bool Whether to indicate writes to be LOW PRIORITY
3592 *
3593 * @return bool
3594 */
3595 public function lockTables( $read, $write, $method, $lowPriority = true ) {
3596 return true;
3597 }
3598
3599 /**
3600 * Unlock specific tables
3601 *
3602 * @param $method String the caller
3603 *
3604 * @return bool
3605 */
3606 public function unlockTables( $method ) {
3607 return true;
3608 }
3609
3610 /**
3611 * Delete a table
3612 * @param $tableName string
3613 * @param $fName string
3614 * @return bool|ResultWrapper
3615 * @since 1.18
3616 */
3617 public function dropTable( $tableName, $fName = 'DatabaseBase::dropTable' ) {
3618 if( !$this->tableExists( $tableName, $fName ) ) {
3619 return false;
3620 }
3621 $sql = "DROP TABLE " . $this->tableName( $tableName );
3622 if( $this->cascadingDeletes() ) {
3623 $sql .= " CASCADE";
3624 }
3625 return $this->query( $sql, $fName );
3626 }
3627
3628 /**
3629 * Get search engine class. All subclasses of this need to implement this
3630 * if they wish to use searching.
3631 *
3632 * @return String
3633 */
3634 public function getSearchEngine() {
3635 return 'SearchEngineDummy';
3636 }
3637
3638 /**
3639 * Find out when 'infinity' is. Most DBMSes support this. This is a special
3640 * keyword for timestamps in PostgreSQL, and works with CHAR(14) as well
3641 * because "i" sorts after all numbers.
3642 *
3643 * @return String
3644 */
3645 public function getInfinity() {
3646 return 'infinity';
3647 }
3648
3649 /**
3650 * Encode an expiry time into the DBMS dependent format
3651 *
3652 * @param $expiry String: timestamp for expiry, or the 'infinity' string
3653 * @return String
3654 */
3655 public function encodeExpiry( $expiry ) {
3656 return ( $expiry == '' || $expiry == 'infinity' || $expiry == $this->getInfinity() )
3657 ? $this->getInfinity()
3658 : $this->timestamp( $expiry );
3659 }
3660
3661 /**
3662 * Decode an expiry time into a DBMS independent format
3663 *
3664 * @param $expiry String: DB timestamp field value for expiry
3665 * @param $format integer: TS_* constant, defaults to TS_MW
3666 * @return String
3667 */
3668 public function decodeExpiry( $expiry, $format = TS_MW ) {
3669 return ( $expiry == '' || $expiry == $this->getInfinity() )
3670 ? 'infinity'
3671 : wfTimestamp( $format, $expiry );
3672 }
3673
3674 /**
3675 * Allow or deny "big selects" for this session only. This is done by setting
3676 * the sql_big_selects session variable.
3677 *
3678 * This is a MySQL-specific feature.
3679 *
3680 * @param $value Mixed: true for allow, false for deny, or "default" to
3681 * restore the initial value
3682 */
3683 public function setBigSelects( $value = true ) {
3684 // no-op
3685 }
3686
3687 /**
3688 * @since 1.19
3689 */
3690 public function __toString() {
3691 return (string)$this->mConn;
3692 }
3693
3694 public function __destruct() {
3695 if ( count( $this->mTrxIdleCallbacks ) ) { // sanity
3696 trigger_error( "Transaction idle callbacks still pending." );
3697 }
3698 }
3699 }