Localisation updates from https://translatewiki.net.
[mediawiki.git] / includes / db / LoadBalancer.php
blobb3f92101205eff21b36ee154f8e74184acdcacb4
1 <?php
2 /**
3 * Database load balancing.
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
20 * @file
21 * @ingroup Database
24 /**
25 * Database load balancing object
27 * @todo document
28 * @ingroup Database
30 class LoadBalancer {
31 private $mServers, $mConns, $mLoads, $mGroupLoads;
33 /** @var bool|DatabaseBase Database connection that caused a problem */
34 private $mErrorConnection;
35 private $mReadIndex, $mAllowLagged;
37 /** @var bool|DBMasterPos False if not set */
38 private $mWaitForPos;
40 private $mWaitTimeout;
41 private $mLaggedSlaveMode, $mLastError = 'Unknown error';
42 private $mParentInfo, $mLagTimes;
43 private $mLoadMonitorClass, $mLoadMonitor;
45 /**
46 * @param array $params with keys:
47 * servers Required. Array of server info structures.
48 * loadMonitor Name of a class used to fetch server lag and load.
49 * @throws MWException
51 function __construct( $params ) {
52 if ( !isset( $params['servers'] ) ) {
53 throw new MWException( __CLASS__ . ': missing servers parameter' );
55 $this->mServers = $params['servers'];
56 $this->mWaitTimeout = 10;
58 $this->mReadIndex = -1;
59 $this->mWriteIndex = -1;
60 $this->mConns = array(
61 'local' => array(),
62 'foreignUsed' => array(),
63 'foreignFree' => array() );
64 $this->mLoads = array();
65 $this->mWaitForPos = false;
66 $this->mLaggedSlaveMode = false;
67 $this->mErrorConnection = false;
68 $this->mAllowLagged = false;
70 if ( isset( $params['loadMonitor'] ) ) {
71 $this->mLoadMonitorClass = $params['loadMonitor'];
72 } else {
73 $master = reset( $params['servers'] );
74 if ( isset( $master['type'] ) && $master['type'] === 'mysql' ) {
75 $this->mLoadMonitorClass = 'LoadMonitorMySQL';
76 } else {
77 $this->mLoadMonitorClass = 'LoadMonitorNull';
81 foreach ( $params['servers'] as $i => $server ) {
82 $this->mLoads[$i] = $server['load'];
83 if ( isset( $server['groupLoads'] ) ) {
84 foreach ( $server['groupLoads'] as $group => $ratio ) {
85 if ( !isset( $this->mGroupLoads[$group] ) ) {
86 $this->mGroupLoads[$group] = array();
88 $this->mGroupLoads[$group][$i] = $ratio;
94 /**
95 * Get a LoadMonitor instance
97 * @return LoadMonitor
99 function getLoadMonitor() {
100 if ( !isset( $this->mLoadMonitor ) ) {
101 $class = $this->mLoadMonitorClass;
102 $this->mLoadMonitor = new $class( $this );
105 return $this->mLoadMonitor;
109 * Get or set arbitrary data used by the parent object, usually an LBFactory
110 * @param mixed $x
111 * @return mixed
113 function parentInfo( $x = null ) {
114 return wfSetVar( $this->mParentInfo, $x );
118 * Given an array of non-normalised probabilities, this function will select
119 * an element and return the appropriate key
121 * @deprecated since 1.21, use ArrayUtils::pickRandom()
123 * @param array $weights
124 * @return bool|int|string
126 function pickRandom( $weights ) {
127 return ArrayUtils::pickRandom( $weights );
131 * @param array $loads
132 * @param bool|string $wiki Wiki to get non-lagged for
133 * @return bool|int|string
135 function getRandomNonLagged( $loads, $wiki = false ) {
136 # Unset excessively lagged servers
137 $lags = $this->getLagTimes( $wiki );
138 foreach ( $lags as $i => $lag ) {
139 if ( $i != 0 ) {
140 if ( $lag === false ) {
141 wfDebugLog( 'replication', "Server #$i is not replicating" );
142 unset( $loads[$i] );
143 } elseif ( isset( $this->mServers[$i]['max lag'] ) && $lag > $this->mServers[$i]['max lag'] ) {
144 wfDebugLog( 'replication', "Server #$i is excessively lagged ($lag seconds)" );
145 unset( $loads[$i] );
150 # Find out if all the slaves with non-zero load are lagged
151 $sum = 0;
152 foreach ( $loads as $load ) {
153 $sum += $load;
155 if ( $sum == 0 ) {
156 # No appropriate DB servers except maybe the master and some slaves with zero load
157 # Do NOT use the master
158 # Instead, this function will return false, triggering read-only mode,
159 # and a lagged slave will be used instead.
160 return false;
163 if ( count( $loads ) == 0 ) {
164 return false;
167 #wfDebugLog( 'connect', var_export( $loads, true ) );
169 # Return a random representative of the remainder
170 return ArrayUtils::pickRandom( $loads );
174 * Get the index of the reader connection, which may be a slave
175 * This takes into account load ratios and lag times. It should
176 * always return a consistent index during a given invocation
178 * Side effect: opens connections to databases
179 * @param bool|string $group
180 * @param bool|string $wiki
181 * @throws MWException
182 * @return bool|int|string
184 function getReaderIndex( $group = false, $wiki = false ) {
185 global $wgReadOnly, $wgDBtype;
187 # @todo FIXME: For now, only go through all this for mysql databases
188 if ( $wgDBtype != 'mysql' ) {
189 return $this->getWriterIndex();
192 if ( count( $this->mServers ) == 1 ) {
193 # Skip the load balancing if there's only one server
194 return 0;
195 } elseif ( $group === false && $this->mReadIndex >= 0 ) {
196 # Shortcut if generic reader exists already
197 return $this->mReadIndex;
200 $section = new ProfileSection( __METHOD__ );
202 # Find the relevant load array
203 if ( $group !== false ) {
204 if ( isset( $this->mGroupLoads[$group] ) ) {
205 $nonErrorLoads = $this->mGroupLoads[$group];
206 } else {
207 # No loads for this group, return false and the caller can use some other group
208 wfDebug( __METHOD__ . ": no loads for group $group\n" );
210 return false;
212 } else {
213 $nonErrorLoads = $this->mLoads;
216 if ( !count( $nonErrorLoads ) ) {
217 throw new MWException( "Empty server array given to LoadBalancer" );
220 # Scale the configured load ratios according to the dynamic load (if the load monitor supports it)
221 $this->getLoadMonitor()->scaleLoads( $nonErrorLoads, $group, $wiki );
223 $laggedSlaveMode = false;
225 # No server found yet
226 $i = false;
227 # First try quickly looking through the available servers for a server that
228 # meets our criteria
229 $currentLoads = $nonErrorLoads;
230 while ( count( $currentLoads ) ) {
231 if ( $wgReadOnly || $this->mAllowLagged || $laggedSlaveMode ) {
232 $i = ArrayUtils::pickRandom( $currentLoads );
233 } else {
234 $i = $this->getRandomNonLagged( $currentLoads, $wiki );
235 if ( $i === false && count( $currentLoads ) != 0 ) {
236 # All slaves lagged. Switch to read-only mode
237 wfDebugLog( 'replication', "All slaves lagged. Switch to read-only mode" );
238 $wgReadOnly = 'The database has been automatically locked ' .
239 'while the slave database servers catch up to the master';
240 $i = ArrayUtils::pickRandom( $currentLoads );
241 $laggedSlaveMode = true;
245 if ( $i === false ) {
246 # pickRandom() returned false
247 # This is permanent and means the configuration or the load monitor
248 # wants us to return false.
249 wfDebugLog( 'connect', __METHOD__ . ": pickRandom() returned false" );
251 return false;
254 wfDebugLog( 'connect', __METHOD__ .
255 ": Using reader #$i: {$this->mServers[$i]['host']}..." );
257 $conn = $this->openConnection( $i, $wiki );
258 if ( !$conn ) {
259 wfDebugLog( 'connect', __METHOD__ . ": Failed connecting to $i/$wiki" );
260 unset( $nonErrorLoads[$i] );
261 unset( $currentLoads[$i] );
262 $i = false;
263 continue;
266 // Decrement reference counter, we are finished with this connection.
267 // It will be incremented for the caller later.
268 if ( $wiki !== false ) {
269 $this->reuseConnection( $conn );
272 # Return this server
273 break;
276 # If all servers were down, quit now
277 if ( !count( $nonErrorLoads ) ) {
278 wfDebugLog( 'connect', "All servers down" );
281 if ( $i !== false ) {
282 # Slave connection successful
283 # Wait for the session master pos for a short time
284 if ( $this->mWaitForPos && $i > 0 ) {
285 if ( !$this->doWait( $i ) ) {
286 $this->mServers[$i]['slave pos'] = $conn->getSlavePos();
289 if ( $this->mReadIndex <= 0 && $this->mLoads[$i] > 0 && $group !== false ) {
290 $this->mReadIndex = $i;
294 return $i;
298 * Wait for a specified number of microseconds, and return the period waited
299 * @param int $t
300 * @return int
302 function sleep( $t ) {
303 wfProfileIn( __METHOD__ );
304 wfDebug( __METHOD__ . ": waiting $t us\n" );
305 usleep( $t );
306 wfProfileOut( __METHOD__ );
308 return $t;
312 * Set the master wait position
313 * If a DB_SLAVE connection has been opened already, waits
314 * Otherwise sets a variable telling it to wait if such a connection is opened
315 * @param DBMasterPos $pos
317 public function waitFor( $pos ) {
318 wfProfileIn( __METHOD__ );
319 $this->mWaitForPos = $pos;
320 $i = $this->mReadIndex;
322 if ( $i > 0 ) {
323 if ( !$this->doWait( $i ) ) {
324 $this->mServers[$i]['slave pos'] = $this->getAnyOpenConnection( $i )->getSlavePos();
325 $this->mLaggedSlaveMode = true;
328 wfProfileOut( __METHOD__ );
332 * Set the master wait position and wait for ALL slaves to catch up to it
333 * @param DBMasterPos $pos
335 public function waitForAll( $pos ) {
336 wfProfileIn( __METHOD__ );
337 $this->mWaitForPos = $pos;
338 $serverCount = count( $this->mServers );
339 for ( $i = 1; $i < $serverCount; $i++ ) {
340 if ( $this->mLoads[$i] > 0 ) {
341 $this->doWait( $i, true );
344 wfProfileOut( __METHOD__ );
348 * Get any open connection to a given server index, local or foreign
349 * Returns false if there is no connection open
351 * @param int $i
352 * @return DatabaseBase|bool False on failure
354 function getAnyOpenConnection( $i ) {
355 foreach ( $this->mConns as $conns ) {
356 if ( !empty( $conns[$i] ) ) {
357 return reset( $conns[$i] );
361 return false;
365 * Wait for a given slave to catch up to the master pos stored in $this
366 * @param int $index
367 * @param bool $open
368 * @return bool
370 protected function doWait( $index, $open = false ) {
371 # Find a connection to wait on
372 $conn = $this->getAnyOpenConnection( $index );
373 if ( !$conn ) {
374 if ( !$open ) {
375 wfDebug( __METHOD__ . ": no connection open\n" );
377 return false;
378 } else {
379 $conn = $this->openConnection( $index, '' );
380 if ( !$conn ) {
381 wfDebug( __METHOD__ . ": failed to open connection\n" );
383 return false;
388 wfDebug( __METHOD__ . ": Waiting for slave #$index to catch up...\n" );
389 $result = $conn->masterPosWait( $this->mWaitForPos, $this->mWaitTimeout );
391 if ( $result == -1 || is_null( $result ) ) {
392 # Timed out waiting for slave, use master instead
393 wfDebug( __METHOD__ . ": Timed out waiting for slave #$index pos {$this->mWaitForPos}\n" );
395 return false;
396 } else {
397 wfDebug( __METHOD__ . ": Done\n" );
399 return true;
404 * Get a connection by index
405 * This is the main entry point for this class.
407 * @param int $i Server index
408 * @param array $groups Query groups
409 * @param bool|string $wiki Wiki ID
411 * @throws MWException
412 * @return DatabaseBase
414 public function &getConnection( $i, $groups = array(), $wiki = false ) {
415 wfProfileIn( __METHOD__ );
417 if ( $i === null || $i === false ) {
418 wfProfileOut( __METHOD__ );
419 throw new MWException( 'Attempt to call ' . __METHOD__ .
420 ' with invalid server index' );
423 if ( $wiki === wfWikiID() ) {
424 $wiki = false;
427 # Query groups
428 if ( $i == DB_MASTER ) {
429 $i = $this->getWriterIndex();
430 } elseif ( !is_array( $groups ) ) {
431 $groupIndex = $this->getReaderIndex( $groups, $wiki );
432 if ( $groupIndex !== false ) {
433 $serverName = $this->getServerName( $groupIndex );
434 wfDebug( __METHOD__ . ": using server $serverName for group $groups\n" );
435 $i = $groupIndex;
437 } else {
438 foreach ( $groups as $group ) {
439 $groupIndex = $this->getReaderIndex( $group, $wiki );
440 if ( $groupIndex !== false ) {
441 $serverName = $this->getServerName( $groupIndex );
442 wfDebug( __METHOD__ . ": using server $serverName for group $group\n" );
443 $i = $groupIndex;
444 break;
449 # Operation-based index
450 if ( $i == DB_SLAVE ) {
451 $this->mLastError = 'Unknown error'; // reset error string
452 $i = $this->getReaderIndex( false, $wiki );
453 # Couldn't find a working server in getReaderIndex()?
454 if ( $i === false ) {
455 $this->mLastError = 'No working slave server: ' . $this->mLastError;
456 wfProfileOut( __METHOD__ );
458 return $this->reportConnectionError();
462 # Now we have an explicit index into the servers array
463 $conn = $this->openConnection( $i, $wiki );
464 if ( !$conn ) {
465 wfProfileOut( __METHOD__ );
467 return $this->reportConnectionError();
470 wfProfileOut( __METHOD__ );
472 return $conn;
476 * Mark a foreign connection as being available for reuse under a different
477 * DB name or prefix. This mechanism is reference-counted, and must be called
478 * the same number of times as getConnection() to work.
480 * @param DatabaseBase $conn
481 * @throws MWException
483 public function reuseConnection( $conn ) {
484 $serverIndex = $conn->getLBInfo( 'serverIndex' );
485 $refCount = $conn->getLBInfo( 'foreignPoolRefCount' );
486 if ( $serverIndex === null || $refCount === null ) {
487 wfDebug( __METHOD__ . ": this connection was not opened as a foreign connection\n" );
490 * This can happen in code like:
491 * foreach ( $dbs as $db ) {
492 * $conn = $lb->getConnection( DB_SLAVE, array(), $db );
493 * ...
494 * $lb->reuseConnection( $conn );
496 * When a connection to the local DB is opened in this way, reuseConnection()
497 * should be ignored
500 return;
503 $dbName = $conn->getDBname();
504 $prefix = $conn->tablePrefix();
505 if ( strval( $prefix ) !== '' ) {
506 $wiki = "$dbName-$prefix";
507 } else {
508 $wiki = $dbName;
510 if ( $this->mConns['foreignUsed'][$serverIndex][$wiki] !== $conn ) {
511 throw new MWException( __METHOD__ . ": connection not found, has " .
512 "the connection been freed already?" );
514 $conn->setLBInfo( 'foreignPoolRefCount', --$refCount );
515 if ( $refCount <= 0 ) {
516 $this->mConns['foreignFree'][$serverIndex][$wiki] = $conn;
517 unset( $this->mConns['foreignUsed'][$serverIndex][$wiki] );
518 wfDebug( __METHOD__ . ": freed connection $serverIndex/$wiki\n" );
519 } else {
520 wfDebug( __METHOD__ . ": reference count for $serverIndex/$wiki reduced to $refCount\n" );
525 * Get a database connection handle reference
527 * The handle's methods wrap simply wrap those of a DatabaseBase handle
529 * @see LoadBalancer::getConnection() for parameter information
531 * @param int $db
532 * @param mixed $groups
533 * @param bool|string $wiki
534 * @return DBConnRef
536 public function getConnectionRef( $db, $groups = array(), $wiki = false ) {
537 return new DBConnRef( $this, $this->getConnection( $db, $groups, $wiki ) );
541 * Get a database connection handle reference without connecting yet
543 * The handle's methods wrap simply wrap those of a DatabaseBase handle
545 * @see LoadBalancer::getConnection() for parameter information
547 * @param int $db
548 * @param mixed $groups
549 * @param bool|string $wiki
550 * @return DBConnRef
552 public function getLazyConnectionRef( $db, $groups = array(), $wiki = false ) {
553 return new DBConnRef( $this, array( $db, $groups, $wiki ) );
557 * Open a connection to the server given by the specified index
558 * Index must be an actual index into the array.
559 * If the server is already open, returns it.
561 * On error, returns false, and the connection which caused the
562 * error will be available via $this->mErrorConnection.
564 * @param int $i Server index
565 * @param bool|string $wiki Wiki ID to open
566 * @return DatabaseBase
568 * @access private
570 function openConnection( $i, $wiki = false ) {
571 wfProfileIn( __METHOD__ );
572 if ( $wiki !== false ) {
573 $conn = $this->openForeignConnection( $i, $wiki );
574 wfProfileOut( __METHOD__ );
576 return $conn;
578 if ( isset( $this->mConns['local'][$i][0] ) ) {
579 $conn = $this->mConns['local'][$i][0];
580 } else {
581 $server = $this->mServers[$i];
582 $server['serverIndex'] = $i;
583 $conn = $this->reallyOpenConnection( $server, false );
584 if ( $conn->isOpen() ) {
585 wfDebug( "Connected to database $i at {$this->mServers[$i]['host']}\n" );
586 $this->mConns['local'][$i][0] = $conn;
587 } else {
588 wfDebug( "Failed to connect to database $i at {$this->mServers[$i]['host']}\n" );
589 $this->mErrorConnection = $conn;
590 $conn = false;
593 wfProfileOut( __METHOD__ );
595 return $conn;
599 * Open a connection to a foreign DB, or return one if it is already open.
601 * Increments a reference count on the returned connection which locks the
602 * connection to the requested wiki. This reference count can be
603 * decremented by calling reuseConnection().
605 * If a connection is open to the appropriate server already, but with the wrong
606 * database, it will be switched to the right database and returned, as long as
607 * it has been freed first with reuseConnection().
609 * On error, returns false, and the connection which caused the
610 * error will be available via $this->mErrorConnection.
612 * @param int $i Server index
613 * @param string $wiki Wiki ID to open
614 * @return DatabaseBase
616 function openForeignConnection( $i, $wiki ) {
617 wfProfileIn( __METHOD__ );
618 list( $dbName, $prefix ) = wfSplitWikiID( $wiki );
619 if ( isset( $this->mConns['foreignUsed'][$i][$wiki] ) ) {
620 // Reuse an already-used connection
621 $conn = $this->mConns['foreignUsed'][$i][$wiki];
622 wfDebug( __METHOD__ . ": reusing connection $i/$wiki\n" );
623 } elseif ( isset( $this->mConns['foreignFree'][$i][$wiki] ) ) {
624 // Reuse a free connection for the same wiki
625 $conn = $this->mConns['foreignFree'][$i][$wiki];
626 unset( $this->mConns['foreignFree'][$i][$wiki] );
627 $this->mConns['foreignUsed'][$i][$wiki] = $conn;
628 wfDebug( __METHOD__ . ": reusing free connection $i/$wiki\n" );
629 } elseif ( !empty( $this->mConns['foreignFree'][$i] ) ) {
630 // Reuse a connection from another wiki
631 $conn = reset( $this->mConns['foreignFree'][$i] );
632 $oldWiki = key( $this->mConns['foreignFree'][$i] );
634 if ( !$conn->selectDB( $dbName ) ) {
635 $this->mLastError = "Error selecting database $dbName on server " .
636 $conn->getServer() . " from client host " . wfHostname() . "\n";
637 $this->mErrorConnection = $conn;
638 $conn = false;
639 } else {
640 $conn->tablePrefix( $prefix );
641 unset( $this->mConns['foreignFree'][$i][$oldWiki] );
642 $this->mConns['foreignUsed'][$i][$wiki] = $conn;
643 wfDebug( __METHOD__ . ": reusing free connection from $oldWiki for $wiki\n" );
645 } else {
646 // Open a new connection
647 $server = $this->mServers[$i];
648 $server['serverIndex'] = $i;
649 $server['foreignPoolRefCount'] = 0;
650 $server['foreign'] = true;
651 $conn = $this->reallyOpenConnection( $server, $dbName );
652 if ( !$conn->isOpen() ) {
653 wfDebug( __METHOD__ . ": error opening connection for $i/$wiki\n" );
654 $this->mErrorConnection = $conn;
655 $conn = false;
656 } else {
657 $conn->tablePrefix( $prefix );
658 $this->mConns['foreignUsed'][$i][$wiki] = $conn;
659 wfDebug( __METHOD__ . ": opened new connection for $i/$wiki\n" );
663 // Increment reference count
664 if ( $conn ) {
665 $refCount = $conn->getLBInfo( 'foreignPoolRefCount' );
666 $conn->setLBInfo( 'foreignPoolRefCount', $refCount + 1 );
668 wfProfileOut( __METHOD__ );
670 return $conn;
674 * Test if the specified index represents an open connection
676 * @param int $index Server index
677 * @access private
678 * @return bool
680 function isOpen( $index ) {
681 if ( !is_integer( $index ) ) {
682 return false;
685 return (bool)$this->getAnyOpenConnection( $index );
689 * Really opens a connection. Uncached.
690 * Returns a Database object whether or not the connection was successful.
691 * @access private
693 * @param array $server
694 * @param bool $dbNameOverride
695 * @throws MWException
696 * @return DatabaseBase
698 function reallyOpenConnection( $server, $dbNameOverride = false ) {
699 if ( !is_array( $server ) ) {
700 throw new MWException( 'You must update your load-balancing configuration. ' .
701 'See DefaultSettings.php entry for $wgDBservers.' );
704 if ( $dbNameOverride !== false ) {
705 $server['dbname'] = $dbNameOverride;
708 # Create object
709 try {
710 $db = DatabaseBase::factory( $server['type'], $server );
711 } catch ( DBConnectionError $e ) {
712 // FIXME: This is probably the ugliest thing I have ever done to
713 // PHP. I'm half-expecting it to segfault, just out of disgust. -- TS
714 $db = $e->db;
717 $db->setLBInfo( $server );
718 if ( isset( $server['fakeSlaveLag'] ) ) {
719 $db->setFakeSlaveLag( $server['fakeSlaveLag'] );
721 if ( isset( $server['fakeMaster'] ) ) {
722 $db->setFakeMaster( true );
725 return $db;
729 * @throws DBConnectionError
730 * @return bool
732 private function reportConnectionError() {
733 $conn = $this->mErrorConnection; // The connection which caused the error
735 if ( !is_object( $conn ) ) {
736 // No last connection, probably due to all servers being too busy
737 wfLogDBError( "LB failure with no last connection. Connection error: {$this->mLastError}" );
739 // If all servers were busy, mLastError will contain something sensible
740 throw new DBConnectionError( null, $this->mLastError );
741 } else {
742 $server = $conn->getProperty( 'mServer' );
743 wfLogDBError( "Connection error: {$this->mLastError} ({$server})" );
744 $conn->reportConnectionError( "{$this->mLastError} ({$server})" ); // throws DBConnectionError
747 return false; /* not reached */
751 * @return int
753 function getWriterIndex() {
754 return 0;
758 * Returns true if the specified index is a valid server index
760 * @param string $i
761 * @return bool
763 function haveIndex( $i ) {
764 return array_key_exists( $i, $this->mServers );
768 * Returns true if the specified index is valid and has non-zero load
770 * @param string $i
771 * @return bool
773 function isNonZeroLoad( $i ) {
774 return array_key_exists( $i, $this->mServers ) && $this->mLoads[$i] != 0;
778 * Get the number of defined servers (not the number of open connections)
780 * @return int
782 function getServerCount() {
783 return count( $this->mServers );
787 * Get the host name or IP address of the server with the specified index
788 * Prefer a readable name if available.
789 * @param string $i
790 * @return string
792 function getServerName( $i ) {
793 if ( isset( $this->mServers[$i]['hostName'] ) ) {
794 return $this->mServers[$i]['hostName'];
795 } elseif ( isset( $this->mServers[$i]['host'] ) ) {
796 return $this->mServers[$i]['host'];
797 } else {
798 return '';
803 * Return the server info structure for a given index, or false if the index is invalid.
804 * @param int $i
805 * @return array|bool
807 function getServerInfo( $i ) {
808 if ( isset( $this->mServers[$i] ) ) {
809 return $this->mServers[$i];
810 } else {
811 return false;
816 * Sets the server info structure for the given index. Entry at index $i
817 * is created if it doesn't exist
818 * @param int $i
819 * @param array $serverInfo
821 function setServerInfo( $i, $serverInfo ) {
822 $this->mServers[$i] = $serverInfo;
826 * Get the current master position for chronology control purposes
827 * @return mixed
829 function getMasterPos() {
830 # If this entire request was served from a slave without opening a connection to the
831 # master (however unlikely that may be), then we can fetch the position from the slave.
832 $masterConn = $this->getAnyOpenConnection( 0 );
833 if ( !$masterConn ) {
834 $serverCount = count( $this->mServers );
835 for ( $i = 1; $i < $serverCount; $i++ ) {
836 $conn = $this->getAnyOpenConnection( $i );
837 if ( $conn ) {
838 wfDebug( "Master pos fetched from slave\n" );
840 return $conn->getSlavePos();
843 } else {
844 wfDebug( "Master pos fetched from master\n" );
846 return $masterConn->getMasterPos();
849 return false;
853 * Close all open connections
855 function closeAll() {
856 foreach ( $this->mConns as $conns2 ) {
857 foreach ( $conns2 as $conns3 ) {
858 /** @var DatabaseBase $conn */
859 foreach ( $conns3 as $conn ) {
860 $conn->close();
864 $this->mConns = array(
865 'local' => array(),
866 'foreignFree' => array(),
867 'foreignUsed' => array(),
872 * Close a connection
873 * Using this function makes sure the LoadBalancer knows the connection is closed.
874 * If you use $conn->close() directly, the load balancer won't update its state.
875 * @param DatabaseBase $conn
877 function closeConnection( $conn ) {
878 $done = false;
879 foreach ( $this->mConns as $i1 => $conns2 ) {
880 foreach ( $conns2 as $i2 => $conns3 ) {
881 foreach ( $conns3 as $i3 => $candidateConn ) {
882 if ( $conn === $candidateConn ) {
883 $conn->close();
884 unset( $this->mConns[$i1][$i2][$i3] );
885 $done = true;
886 break;
891 if ( !$done ) {
892 $conn->close();
897 * Commit transactions on all open connections
899 function commitAll() {
900 foreach ( $this->mConns as $conns2 ) {
901 foreach ( $conns2 as $conns3 ) {
902 /** @var DatabaseBase[] $conns3 */
903 foreach ( $conns3 as $conn ) {
904 if ( $conn->trxLevel() ) {
905 $conn->commit( __METHOD__, 'flush' );
913 * Issue COMMIT only on master, only if queries were done on connection
915 function commitMasterChanges() {
916 // Always 0, but who knows.. :)
917 $masterIndex = $this->getWriterIndex();
918 foreach ( $this->mConns as $conns2 ) {
919 if ( empty( $conns2[$masterIndex] ) ) {
920 continue;
922 /** @var DatabaseBase $conn */
923 foreach ( $conns2[$masterIndex] as $conn ) {
924 if ( $conn->trxLevel() && $conn->writesOrCallbacksPending() ) {
925 $conn->commit( __METHOD__, 'flush' );
932 * Issue ROLLBACK only on master, only if queries were done on connection
933 * @since 1.23
935 function rollbackMasterChanges() {
936 // Always 0, but who knows.. :)
937 $masterIndex = $this->getWriterIndex();
938 foreach ( $this->mConns as $conns2 ) {
939 if ( empty( $conns2[$masterIndex] ) ) {
940 continue;
942 /** @var DatabaseBase $conn */
943 foreach ( $conns2[$masterIndex] as $conn ) {
944 if ( $conn->trxLevel() && $conn->writesOrCallbacksPending() ) {
945 $conn->rollback( __METHOD__, 'flush' );
952 * Determine if there are any pending changes that need to be rolled back
953 * or committed.
954 * @since 1.23
955 * @return bool
957 function hasMasterChanges() {
958 // Always 0, but who knows.. :)
959 $masterIndex = $this->getWriterIndex();
960 foreach ( $this->mConns as $conns2 ) {
961 if ( empty( $conns2[$masterIndex] ) ) {
962 continue;
964 /** @var DatabaseBase $conn */
965 foreach ( $conns2[$masterIndex] as $conn ) {
966 if ( $conn->trxLevel() && $conn->writesOrCallbacksPending() ) {
967 return true;
971 return false;
975 * @param mixed $value
976 * @return mixed
978 function waitTimeout( $value = null ) {
979 return wfSetVar( $this->mWaitTimeout, $value );
983 * @return bool
985 function getLaggedSlaveMode() {
986 return $this->mLaggedSlaveMode;
990 * Disables/enables lag checks
991 * @param null|bool $mode
992 * @return bool
994 function allowLagged( $mode = null ) {
995 if ( $mode === null ) {
996 return $this->mAllowLagged;
998 $this->mAllowLagged = $mode;
1000 return $this->mAllowLagged;
1004 * @return bool
1006 function pingAll() {
1007 $success = true;
1008 foreach ( $this->mConns as $conns2 ) {
1009 foreach ( $conns2 as $conns3 ) {
1010 /** @var DatabaseBase[] $conns3 */
1011 foreach ( $conns3 as $conn ) {
1012 if ( !$conn->ping() ) {
1013 $success = false;
1019 return $success;
1023 * Call a function with each open connection object
1024 * @param callable $callback
1025 * @param array $params
1027 function forEachOpenConnection( $callback, $params = array() ) {
1028 foreach ( $this->mConns as $conns2 ) {
1029 foreach ( $conns2 as $conns3 ) {
1030 foreach ( $conns3 as $conn ) {
1031 $mergedParams = array_merge( array( $conn ), $params );
1032 call_user_func_array( $callback, $mergedParams );
1039 * Get the hostname and lag time of the most-lagged slave.
1040 * This is useful for maintenance scripts that need to throttle their updates.
1041 * May attempt to open connections to slaves on the default DB. If there is
1042 * no lag, the maximum lag will be reported as -1.
1044 * @param bool|string $wiki Wiki ID, or false for the default database
1045 * @return array ( host, max lag, index of max lagged host )
1047 function getMaxLag( $wiki = false ) {
1048 $maxLag = -1;
1049 $host = '';
1050 $maxIndex = 0;
1051 if ( $this->getServerCount() > 1 ) { // no replication = no lag
1052 foreach ( $this->mServers as $i => $conn ) {
1053 $conn = false;
1054 if ( $wiki === false ) {
1055 $conn = $this->getAnyOpenConnection( $i );
1057 if ( !$conn ) {
1058 $conn = $this->openConnection( $i, $wiki );
1060 if ( !$conn ) {
1061 continue;
1063 $lag = $conn->getLag();
1064 if ( $lag > $maxLag ) {
1065 $maxLag = $lag;
1066 $host = $this->mServers[$i]['host'];
1067 $maxIndex = $i;
1072 return array( $host, $maxLag, $maxIndex );
1076 * Get lag time for each server
1077 * Results are cached for a short time in memcached, and indefinitely in the process cache
1079 * @param string|bool $wiki
1080 * @return array
1082 function getLagTimes( $wiki = false ) {
1083 # Try process cache
1084 if ( isset( $this->mLagTimes ) ) {
1085 return $this->mLagTimes;
1087 if ( $this->getServerCount() == 1 ) {
1088 # No replication
1089 $this->mLagTimes = array( 0 => 0 );
1090 } else {
1091 # Send the request to the load monitor
1092 $this->mLagTimes = $this->getLoadMonitor()->getLagTimes(
1093 array_keys( $this->mServers ), $wiki );
1096 return $this->mLagTimes;
1100 * Get the lag in seconds for a given connection, or zero if this load
1101 * balancer does not have replication enabled.
1103 * This should be used in preference to Database::getLag() in cases where
1104 * replication may not be in use, since there is no way to determine if
1105 * replication is in use at the connection level without running
1106 * potentially restricted queries such as SHOW SLAVE STATUS. Using this
1107 * function instead of Database::getLag() avoids a fatal error in this
1108 * case on many installations.
1110 * @param DatabaseBase $conn
1111 * @return int
1113 function safeGetLag( $conn ) {
1114 if ( $this->getServerCount() == 1 ) {
1115 return 0;
1116 } else {
1117 return $conn->getLag();
1122 * Clear the cache for getLagTimes
1124 function clearLagTimeCache() {
1125 $this->mLagTimes = null;
1130 * Helper class to handle automatically marking connectons as reusable (via RAII pattern)
1131 * as well handling deferring the actual network connection until the handle is used
1133 * @ingroup Database
1134 * @since 1.22
1136 class DBConnRef implements IDatabase {
1137 /** @var LoadBalancer */
1138 protected $lb;
1140 /** @var DatabaseBase|null */
1141 protected $conn;
1143 /** @var array|null */
1144 protected $params;
1147 * @param LoadBalancer $lb
1148 * @param DatabaseBase|array $conn Connection or (server index, group, wiki ID) array
1150 public function __construct( LoadBalancer $lb, $conn ) {
1151 $this->lb = $lb;
1152 if ( $conn instanceof DatabaseBase ) {
1153 $this->conn = $conn;
1154 } else {
1155 $this->params = $conn;
1159 public function __call( $name, $arguments ) {
1160 if ( $this->conn === null ) {
1161 list( $db, $groups, $wiki ) = $this->params;
1162 $this->conn = $this->lb->getConnection( $db, $groups, $wiki );
1165 return call_user_func_array( array( $this->conn, $name ), $arguments );
1168 function __destruct() {
1169 if ( $this->conn !== null ) {
1170 $this->lb->reuseConnection( $this->conn );