3 * Redis client connection pooling manager.
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
21 * @defgroup Redis Redis
22 * @author Aaron Schulz
25 use Psr\Log\LoggerAwareInterface
;
26 use Psr\Log\LoggerInterface
;
29 * Helper class to manage Redis connections.
31 * This can be used to get handle wrappers that free the handle when the wrapper
32 * leaves scope. The maximum number of free handles (connections) is configurable.
33 * This provides an easy way to cache connection handles that may also have state,
34 * such as a handle does between multi() and exec(), and without hoarding connections.
35 * The wrappers use PHP magic methods so that calling functions on them calls the
36 * function of the actual Redis object handle.
41 class RedisConnectionPool
implements LoggerAwareInterface
{
42 /** @var string Connection timeout in seconds */
43 protected $connectTimeout;
44 /** @var string Read timeout in seconds */
45 protected $readTimeout;
46 /** @var string Plaintext auth password */
48 /** @var bool Whether connections persist */
49 protected $persistent;
50 /** @var int Serializer to use (Redis::SERIALIZER_*) */
51 protected $serializer;
53 /** @var int Current idle pool size */
54 protected $idlePoolSize = 0;
56 /** @var array (server name => ((connection info array),...) */
57 protected $connections = [];
58 /** @var array (server name => UNIX timestamp) */
59 protected $downServers = [];
61 /** @var array (pool ID => RedisConnectionPool) */
62 protected static $instances = [];
64 /** integer; seconds to cache servers as "down". */
65 const SERVER_DOWN_TTL
= 30;
68 * @var LoggerInterface
73 * @param array $options
76 protected function __construct( array $options ) {
77 if ( !class_exists( 'Redis' ) ) {
78 throw new RuntimeException(
79 __CLASS__
. ' requires a Redis client library. ' .
80 'See https://www.mediawiki.org/wiki/Redis#Setup' );
82 $this->logger
= isset( $options['logger'] )
84 : new \Psr\Log\
NullLogger();
85 $this->connectTimeout
= $options['connectTimeout'];
86 $this->readTimeout
= $options['readTimeout'];
87 $this->persistent
= $options['persistent'];
88 $this->password
= $options['password'];
89 if ( !isset( $options['serializer'] ) ||
$options['serializer'] === 'php' ) {
90 $this->serializer
= Redis
::SERIALIZER_PHP
;
91 } elseif ( $options['serializer'] === 'igbinary' ) {
92 $this->serializer
= Redis
::SERIALIZER_IGBINARY
;
93 } elseif ( $options['serializer'] === 'none' ) {
94 $this->serializer
= Redis
::SERIALIZER_NONE
;
96 throw new InvalidArgumentException( "Invalid serializer specified." );
101 * @param LoggerInterface $logger
104 public function setLogger( LoggerInterface
$logger ) {
105 $this->logger
= $logger;
109 * @param array $options
112 protected static function applyDefaultConfig( array $options ) {
113 if ( !isset( $options['connectTimeout'] ) ) {
114 $options['connectTimeout'] = 1;
116 if ( !isset( $options['readTimeout'] ) ) {
117 $options['readTimeout'] = 1;
119 if ( !isset( $options['persistent'] ) ) {
120 $options['persistent'] = false;
122 if ( !isset( $options['password'] ) ) {
123 $options['password'] = null;
130 * @param array $options
132 * - connectTimeout : The timeout for new connections, in seconds.
133 * Optional, default is 1 second.
134 * - readTimeout : The timeout for operation reads, in seconds.
135 * Commands like BLPOP can fail if told to wait longer than this.
136 * Optional, default is 1 second.
137 * - persistent : Set this to true to allow connections to persist across
138 * multiple web requests. False by default.
139 * - password : The authentication password, will be sent to Redis in clear text.
140 * Optional, if it is unspecified, no AUTH command will be sent.
141 * - serializer : Set to "php", "igbinary", or "none". Default is "php".
142 * @return RedisConnectionPool
144 public static function singleton( array $options ) {
145 $options = self
::applyDefaultConfig( $options );
146 // Map the options to a unique hash...
147 ksort( $options ); // normalize to avoid pool fragmentation
148 $id = sha1( serialize( $options ) );
149 // Initialize the object at the hash as needed...
150 if ( !isset( self
::$instances[$id] ) ) {
151 self
::$instances[$id] = new self( $options );
154 return self
::$instances[$id];
158 * Destroy all singleton() instances
161 public static function destroySingletons() {
162 self
::$instances = [];
166 * Get a connection to a redis server. Based on code in RedisBagOStuff.php.
168 * @param string $server A hostname/port combination or the absolute path of a UNIX socket.
169 * If a hostname is specified but no port, port 6379 will be used.
170 * @param LoggerInterface $logger PSR-3 logger intance. [optional]
171 * @return RedisConnRef|bool Returns false on failure
172 * @throws MWException
174 public function getConnection( $server, LoggerInterface
$logger = null ) {
175 $logger = $logger ?
: $this->logger
;
176 // Check the listing "dead" servers which have had a connection errors.
177 // Servers are marked dead for a limited period of time, to
178 // avoid excessive overhead from repeated connection timeouts.
179 if ( isset( $this->downServers
[$server] ) ) {
181 if ( $now > $this->downServers
[$server] ) {
183 unset( $this->downServers
[$server] );
187 'Server "{redis_server}" is marked down for another ' .
188 ( $this->downServers
[$server] - $now ) . 'seconds',
189 [ 'redis_server' => $server ]
196 // Check if a connection is already free for use
197 if ( isset( $this->connections
[$server] ) ) {
198 foreach ( $this->connections
[$server] as &$connection ) {
199 if ( $connection['free'] ) {
200 $connection['free'] = false;
201 --$this->idlePoolSize
;
203 return new RedisConnRef(
204 $this, $server, $connection['conn'], $logger
211 throw new InvalidArgumentException(
212 __CLASS__
. ": invalid configured server \"$server\"" );
213 } elseif ( substr( $server, 0, 1 ) === '/' ) {
214 // UNIX domain socket
215 // These are required by the redis extension to start with a slash, but
216 // we still need to set the port to a special value to make it work.
221 if ( preg_match( '/^\[(.+)\]:(\d+)$/', $server, $m ) ) {
222 list( $host, $port ) = [ $m[1], (int)$m[2] ]; // (ip, port)
223 } elseif ( preg_match( '/^([^:]+):(\d+)$/', $server, $m ) ) {
224 list( $host, $port ) = [ $m[1], (int)$m[2] ]; // (ip or path, port)
226 list( $host, $port ) = [ $server, 6379 ]; // (ip or path, port)
232 if ( $this->persistent
) {
233 $result = $conn->pconnect( $host, $port, $this->connectTimeout
);
235 $result = $conn->connect( $host, $port, $this->connectTimeout
);
239 'Could not connect to server "{redis_server}"',
240 [ 'redis_server' => $server ]
242 // Mark server down for some time to avoid further timeouts
243 $this->downServers
[$server] = time() + self
::SERVER_DOWN_TTL
;
247 if ( $this->password
!== null ) {
248 if ( !$conn->auth( $this->password
) ) {
250 'Authentication error connecting to "{redis_server}"',
251 [ 'redis_server' => $server ]
255 } catch ( RedisException
$e ) {
256 $this->downServers
[$server] = time() + self
::SERVER_DOWN_TTL
;
258 'Redis exception connecting to "{redis_server}"',
260 'redis_server' => $server,
269 $conn->setOption( Redis
::OPT_READ_TIMEOUT
, $this->readTimeout
);
270 $conn->setOption( Redis
::OPT_SERIALIZER
, $this->serializer
);
271 $this->connections
[$server][] = [ 'conn' => $conn, 'free' => false ];
273 return new RedisConnRef( $this, $server, $conn, $logger );
280 * Mark a connection to a server as free to return to the pool
282 * @param string $server
286 public function freeConnection( $server, Redis
$conn ) {
289 foreach ( $this->connections
[$server] as &$connection ) {
290 if ( $connection['conn'] === $conn && !$connection['free'] ) {
291 $connection['free'] = true;
292 ++
$this->idlePoolSize
;
297 $this->closeExcessIdleConections();
303 * Close any extra idle connections if there are more than the limit
305 protected function closeExcessIdleConections() {
306 if ( $this->idlePoolSize
<= count( $this->connections
) ) {
307 return; // nothing to do (no more connections than servers)
310 foreach ( $this->connections
as &$serverConnections ) {
311 foreach ( $serverConnections as $key => &$connection ) {
312 if ( $connection['free'] ) {
313 unset( $serverConnections[$key] );
314 if ( --$this->idlePoolSize
<= count( $this->connections
) ) {
315 return; // done (no more connections than servers)
323 * The redis extension throws an exception in response to various read, write
324 * and protocol errors. Sometimes it also closes the connection, sometimes
325 * not. The safest response for us is to explicitly destroy the connection
326 * object and let it be reopened during the next request.
328 * @param RedisConnRef $cref
329 * @param RedisException $e
331 public function handleError( RedisConnRef
$cref, RedisException
$e ) {
332 $server = $cref->getServer();
333 $this->logger
->error(
334 'Redis exception on server "{redis_server}"',
336 'redis_server' => $server,
340 foreach ( $this->connections
[$server] as $key => $connection ) {
341 if ( $cref->isConnIdentical( $connection['conn'] ) ) {
342 $this->idlePoolSize
-= $connection['free'] ?
1 : 0;
343 unset( $this->connections
[$server][$key] );
350 * Re-send an AUTH request to the redis server (useful after disconnects).
352 * This works around an upstream bug in phpredis. phpredis hides disconnects by transparently
353 * reconnecting, but it neglects to re-authenticate the new connection. To the user of the
354 * phpredis client API this manifests as a seemingly random tendency of connections to lose
355 * their authentication status.
357 * This method is for internal use only.
359 * @see https://github.com/nicolasff/phpredis/issues/403
361 * @param string $server
363 * @return bool Success
365 public function reauthenticateConnection( $server, Redis
$conn ) {
366 if ( $this->password
!== null ) {
367 if ( !$conn->auth( $this->password
) ) {
368 $this->logger
->error(
369 'Authentication error connecting to "{redis_server}"',
370 [ 'redis_server' => $server ]
381 * Adjust or reset the connection handle read timeout value
384 * @param int $timeout Optional
386 public function resetTimeout( Redis
$conn, $timeout = null ) {
387 $conn->setOption( Redis
::OPT_READ_TIMEOUT
, $timeout ?
: $this->readTimeout
);
391 * Make sure connections are closed for sanity
393 function __destruct() {
394 foreach ( $this->connections
as $server => &$serverConnections ) {
395 foreach ( $serverConnections as $key => &$connection ) {
396 /** @var Redis $conn */
397 $conn = $connection['conn'];