MediaWiki  master
BagOStuff.php
Go to the documentation of this file.
1 <?php
29 use Psr\Log\LoggerAwareInterface;
30 use Psr\Log\LoggerInterface;
31 use Psr\Log\NullLogger;
32 
45 abstract class BagOStuff implements IExpiringStore, LoggerAwareInterface {
47  protected $locks = [];
48 
50  protected $lastError = self::ERR_NONE;
51 
53  protected $keyspace = 'local';
54 
56  protected $logger;
57 
59  protected $asyncHandler;
60 
62  private $debugMode = false;
63 
65  private $duplicateKeyLookups = [];
66 
68  private $reportDupes = false;
69 
71  private $dupeTrackScheduled = false;
72 
74  const ERR_NONE = 0; // no error
75  const ERR_NO_RESPONSE = 1; // no response
76  const ERR_UNREACHABLE = 2; // can't connect
77  const ERR_UNEXPECTED = 3; // response gave some error
78 
80  const READ_LATEST = 1; // use latest data for replicated stores
81  const READ_VERIFIED = 2; // promise that caller can tell when keys are stale
83  const WRITE_SYNC = 1; // synchronously write to all locations for replicated stores
84  const WRITE_CACHE_ONLY = 2; // Only change state of the in-memory cache
85 
96  public function __construct( array $params = [] ) {
97  if ( isset( $params['logger'] ) ) {
98  $this->setLogger( $params['logger'] );
99  } else {
100  $this->setLogger( new NullLogger() );
101  }
102 
103  if ( isset( $params['keyspace'] ) ) {
104  $this->keyspace = $params['keyspace'];
105  }
106 
107  $this->asyncHandler = isset( $params['asyncHandler'] )
108  ? $params['asyncHandler']
109  : null;
110 
111  if ( !empty( $params['reportDupes'] ) && is_callable( $this->asyncHandler ) ) {
112  $this->reportDupes = true;
113  }
114  }
115 
120  public function setLogger( LoggerInterface $logger ) {
121  $this->logger = $logger;
122  }
123 
127  public function setDebug( $bool ) {
128  $this->debugMode = $bool;
129  }
130 
143  final public function getWithSetCallback( $key, $ttl, $callback, $flags = 0 ) {
144  $value = $this->get( $key, $flags );
145 
146  if ( $value === false ) {
147  if ( !is_callable( $callback ) ) {
148  throw new InvalidArgumentException( "Invalid cache miss callback provided." );
149  }
150  $value = call_user_func( $callback );
151  if ( $value !== false ) {
152  $this->set( $key, $value, $ttl );
153  }
154  }
155 
156  return $value;
157  }
158 
173  public function get( $key, $flags = 0, $oldFlags = null ) {
174  // B/C for ( $key, &$casToken = null, $flags = 0 )
175  $flags = is_int( $oldFlags ) ? $oldFlags : $flags;
176 
177  $this->trackDuplicateKeys( $key );
178 
179  return $this->doGet( $key, $flags );
180  }
181 
186  private function trackDuplicateKeys( $key ) {
187  if ( !$this->reportDupes ) {
188  return;
189  }
190 
191  if ( !isset( $this->duplicateKeyLookups[$key] ) ) {
192  // Track that we have seen this key. This N-1 counting style allows
193  // easy filtering with array_filter() later.
194  $this->duplicateKeyLookups[$key] = 0;
195  } else {
196  $this->duplicateKeyLookups[$key] += 1;
197 
198  if ( $this->dupeTrackScheduled === false ) {
199  $this->dupeTrackScheduled = true;
200  // Schedule a callback that logs keys processed more than once by get().
201  call_user_func( $this->asyncHandler, function () {
202  $dups = array_filter( $this->duplicateKeyLookups );
203  foreach ( $dups as $key => $count ) {
204  $this->logger->warning(
205  'Duplicate get(): "{key}" fetched {count} times',
206  // Count is N-1 of the actual lookup count
207  [ 'key' => $key, 'count' => $count + 1, ]
208  );
209  }
210  } );
211  }
212  }
213  }
214 
220  abstract protected function doGet( $key, $flags = 0 );
221 
231  protected function getWithToken( $key, &$casToken, $flags = 0 ) {
232  throw new Exception( __METHOD__ . ' not implemented.' );
233  }
234 
244  abstract public function set( $key, $value, $exptime = 0, $flags = 0 );
245 
252  abstract public function delete( $key );
253 
270  public function merge( $key, callable $callback, $exptime = 0, $attempts = 10, $flags = 0 ) {
271  return $this->mergeViaLock( $key, $callback, $exptime, $attempts, $flags );
272  }
273 
283  protected function mergeViaCas( $key, $callback, $exptime = 0, $attempts = 10 ) {
284  do {
285  $this->clearLastError();
287  $this->reportDupes = false;
288  $casToken = null; // passed by reference
289  $currentValue = $this->getWithToken( $key, $casToken, self::READ_LATEST );
290  $this->reportDupes = $reportDupes;
291 
292  if ( $this->getLastError() ) {
293  return false; // don't spam retries (retry only on races)
294  }
295 
296  // Derive the new value from the old value
297  $value = call_user_func( $callback, $this, $key, $currentValue, $exptime );
298 
299  $this->clearLastError();
300  if ( $value === false ) {
301  $success = true; // do nothing
302  } elseif ( $currentValue === false ) {
303  // Try to create the key, failing if it gets created in the meantime
304  $success = $this->add( $key, $value, $exptime );
305  } else {
306  // Try to update the key, failing if it gets changed in the meantime
307  $success = $this->cas( $casToken, $key, $value, $exptime );
308  }
309  if ( $this->getLastError() ) {
310  return false; // IO error; don't spam retries
311  }
312  } while ( !$success && --$attempts );
313 
314  return $success;
315  }
316 
327  protected function cas( $casToken, $key, $value, $exptime = 0 ) {
328  throw new Exception( "CAS is not implemented in " . __CLASS__ );
329  }
330 
341  protected function mergeViaLock( $key, $callback, $exptime = 0, $attempts = 10, $flags = 0 ) {
342  if ( !$this->lock( $key, 6 ) ) {
343  return false;
344  }
345 
346  $this->clearLastError();
348  $this->reportDupes = false;
349  $currentValue = $this->get( $key, self::READ_LATEST );
350  $this->reportDupes = $reportDupes;
351 
352  if ( $this->getLastError() ) {
353  $success = false;
354  } else {
355  // Derive the new value from the old value
356  $value = call_user_func( $callback, $this, $key, $currentValue, $exptime );
357  if ( $value === false ) {
358  $success = true; // do nothing
359  } else {
360  $success = $this->set( $key, $value, $exptime, $flags ); // set the new value
361  }
362  }
363 
364  if ( !$this->unlock( $key ) ) {
365  // this should never happen
366  trigger_error( "Could not release lock for key '$key'." );
367  }
368 
369  return $success;
370  }
371 
383  public function lock( $key, $timeout = 6, $expiry = 6, $rclass = '' ) {
384  // Avoid deadlocks and allow lock reentry if specified
385  if ( isset( $this->locks[$key] ) ) {
386  if ( $rclass != '' && $this->locks[$key]['class'] === $rclass ) {
387  ++$this->locks[$key]['depth'];
388  return true;
389  } else {
390  return false;
391  }
392  }
393 
394  $expiry = min( $expiry ?: INF, self::TTL_DAY );
395 
396  $this->clearLastError();
397  $timestamp = microtime( true ); // starting UNIX timestamp
398  if ( $this->add( "{$key}:lock", 1, $expiry ) ) {
399  $locked = true;
400  } elseif ( $this->getLastError() || $timeout <= 0 ) {
401  $locked = false; // network partition or non-blocking
402  } else {
403  // Estimate the RTT (us); use 1ms minimum for sanity
404  $uRTT = max( 1e3, ceil( 1e6 * ( microtime( true ) - $timestamp ) ) );
405  $sleep = 2 * $uRTT; // rough time to do get()+set()
406 
407  $attempts = 0; // failed attempts
408  do {
409  if ( ++$attempts >= 3 && $sleep <= 5e5 ) {
410  // Exponentially back off after failed attempts to avoid network spam.
411  // About 2*$uRTT*(2^n-1) us of "sleep" happen for the next n attempts.
412  $sleep *= 2;
413  }
414  usleep( $sleep ); // back off
415  $this->clearLastError();
416  $locked = $this->add( "{$key}:lock", 1, $expiry );
417  if ( $this->getLastError() ) {
418  $locked = false; // network partition
419  break;
420  }
421  } while ( !$locked && ( microtime( true ) - $timestamp ) < $timeout );
422  }
423 
424  if ( $locked ) {
425  $this->locks[$key] = [ 'class' => $rclass, 'depth' => 1 ];
426  }
427 
428  return $locked;
429  }
430 
437  public function unlock( $key ) {
438  if ( isset( $this->locks[$key] ) && --$this->locks[$key]['depth'] <= 0 ) {
439  unset( $this->locks[$key] );
440 
441  return $this->delete( "{$key}:lock" );
442  }
443 
444  return true;
445  }
446 
463  final public function getScopedLock( $key, $timeout = 6, $expiry = 30, $rclass = '' ) {
464  $expiry = min( $expiry ?: INF, self::TTL_DAY );
465 
466  if ( !$this->lock( $key, $timeout, $expiry, $rclass ) ) {
467  return null;
468  }
469 
470  $lSince = microtime( true ); // lock timestamp
471 
472  return new ScopedCallback( function() use ( $key, $lSince, $expiry ) {
473  $latency = .050; // latency skew (err towards keeping lock present)
474  $age = ( microtime( true ) - $lSince + $latency );
475  if ( ( $age + $latency ) >= $expiry ) {
476  $this->logger->warning( "Lock for $key held too long ($age sec)." );
477  return; // expired; it's not "safe" to delete the key
478  }
479  $this->unlock( $key );
480  } );
481  }
482 
492  public function deleteObjectsExpiringBefore( $date, $progressCallback = false ) {
493  // stub
494  return false;
495  }
496 
503  public function getMulti( array $keys, $flags = 0 ) {
504  $res = [];
505  foreach ( $keys as $key ) {
506  $val = $this->get( $key );
507  if ( $val !== false ) {
508  $res[$key] = $val;
509  }
510  }
511  return $res;
512  }
513 
521  public function setMulti( array $data, $exptime = 0 ) {
522  $res = true;
523  foreach ( $data as $key => $value ) {
524  if ( !$this->set( $key, $value, $exptime ) ) {
525  $res = false;
526  }
527  }
528  return $res;
529  }
530 
537  public function add( $key, $value, $exptime = 0 ) {
538  if ( $this->get( $key ) === false ) {
539  return $this->set( $key, $value, $exptime );
540  }
541  return false; // key already set
542  }
543 
550  public function incr( $key, $value = 1 ) {
551  if ( !$this->lock( $key ) ) {
552  return false;
553  }
554  $n = $this->get( $key );
555  if ( $this->isInteger( $n ) ) { // key exists?
556  $n += intval( $value );
557  $this->set( $key, max( 0, $n ) ); // exptime?
558  } else {
559  $n = false;
560  }
561  $this->unlock( $key );
562 
563  return $n;
564  }
565 
572  public function decr( $key, $value = 1 ) {
573  return $this->incr( $key, - $value );
574  }
575 
588  public function incrWithInit( $key, $ttl, $value = 1, $init = 1 ) {
589  $newValue = $this->incr( $key, $value );
590  if ( $newValue === false ) {
591  // No key set; initialize
592  $newValue = $this->add( $key, (int)$init, $ttl ) ? $init : false;
593  }
594  if ( $newValue === false ) {
595  // Raced out initializing; increment
596  $newValue = $this->incr( $key, $value );
597  }
598 
599  return $newValue;
600  }
601 
607  public function getLastError() {
608  return $this->lastError;
609  }
610 
615  public function clearLastError() {
616  $this->lastError = self::ERR_NONE;
617  }
618 
624  protected function setLastError( $err ) {
625  $this->lastError = $err;
626  }
627 
642  public function modifySimpleRelayEvent( array $event ) {
643  return $event;
644  }
645 
649  protected function debug( $text ) {
650  if ( $this->debugMode ) {
651  $this->logger->debug( "{class} debug: $text", [
652  'class' => get_class( $this ),
653  ] );
654  }
655  }
656 
662  protected function convertExpiry( $exptime ) {
663  if ( $exptime != 0 && $exptime < ( 10 * self::TTL_YEAR ) ) {
664  return time() + $exptime;
665  } else {
666  return $exptime;
667  }
668  }
669 
677  protected function convertToRelative( $exptime ) {
678  if ( $exptime >= ( 10 * self::TTL_YEAR ) ) {
679  $exptime -= time();
680  if ( $exptime <= 0 ) {
681  $exptime = 1;
682  }
683  return $exptime;
684  } else {
685  return $exptime;
686  }
687  }
688 
695  protected function isInteger( $value ) {
696  return ( is_int( $value ) || ctype_digit( $value ) );
697  }
698 
707  public function makeKeyInternal( $keyspace, $args ) {
708  $key = $keyspace;
709  foreach ( $args as $arg ) {
710  $arg = str_replace( ':', '%3A', $arg );
711  $key = $key . ':' . $arg;
712  }
713  return strtr( $key, ' ', '_' );
714  }
715 
723  public function makeGlobalKey() {
724  return $this->makeKeyInternal( 'global', func_get_args() );
725  }
726 
734  public function makeKey() {
735  return $this->makeKeyInternal( $this->keyspace, func_get_args() );
736  }
737 }
clearLastError()
Clear the "last error" registry.
Definition: BagOStuff.php:615
const ERR_UNEXPECTED
Definition: BagOStuff.php:77
the array() calling protocol came about after MediaWiki 1.4rc1.
getWithToken($key, &$casToken, $flags=0)
Definition: BagOStuff.php:231
trackDuplicateKeys($key)
Track the number of times that a given key has been used.
Definition: BagOStuff.php:186
bool $reportDupes
Definition: BagOStuff.php:68
$success
bool $dupeTrackScheduled
Definition: BagOStuff.php:71
Apache License January AND DISTRIBUTION Definitions License shall mean the terms and conditions for use
callback null $asyncHandler
Definition: BagOStuff.php:59
getScopedLock($key, $timeout=6, $expiry=30, $rclass= '')
Get a lightweight exclusive self-unlocking lock.
Definition: BagOStuff.php:463
lock($key, $timeout=6, $expiry=6, $rclass= '')
Acquire an advisory lock on a key string.
Definition: BagOStuff.php:383
const ERR_NO_RESPONSE
Definition: BagOStuff.php:75
$value
it s the revision text itself In either if gzip is the revision text is gzipped $flags
Definition: hooks.txt:2588
incrWithInit($key, $ttl, $value=1, $init=1)
Increase stored value of $key by $value while preserving its TTL.
Definition: BagOStuff.php:588
const ERR_UNREACHABLE
Definition: BagOStuff.php:76
doGet($key, $flags=0)
set($key, $value, $exptime=0, $flags=0)
Set an item.
getWithSetCallback($key, $ttl, $callback, $flags=0)
Get an item with the given key, regenerating and setting it if not found.
Definition: BagOStuff.php:143
deleteObjectsExpiringBefore($date, $progressCallback=false)
Delete all objects expiring before a certain date.
Definition: BagOStuff.php:492
string $keyspace
Definition: BagOStuff.php:53
modifySimpleRelayEvent(array $event)
Modify a cache update operation array for EventRelayer::notify()
Definition: BagOStuff.php:642
if($line===false) $args
Definition: cdb.php:64
getLastError()
Get the "last error" registered; clearLastError() should be called manually.
Definition: BagOStuff.php:607
Class for asserting that a callback happens when an dummy object leaves scope.
mergeViaCas($key, $callback, $exptime=0, $attempts=10)
Definition: BagOStuff.php:283
__construct(array $params=[])
$params include:
Definition: BagOStuff.php:96
interface is intended to be more or less compatible with the PHP memcached client.
Definition: BagOStuff.php:45
bool $debugMode
Definition: BagOStuff.php:62
convertExpiry($exptime)
Convert an optionally relative time to an absolute time.
Definition: BagOStuff.php:662
const READ_VERIFIED
Definition: BagOStuff.php:81
if($limit) $timestamp
array $duplicateKeyLookups
Definition: BagOStuff.php:65
$res
Definition: database.txt:21
add($key, $value, $exptime=0)
Definition: BagOStuff.php:537
getMulti(array $keys, $flags=0)
Get an associative array containing the item for each of the keys that have items.
Definition: BagOStuff.php:503
merge($key, callable $callback, $exptime=0, $attempts=10, $flags=0)
Merge changes into the existing cache value (possibly creating a new one)
Definition: BagOStuff.php:270
incr($key, $value=1)
Increase stored value of $key by $value while preserving its TTL.
Definition: BagOStuff.php:550
setDebug($bool)
Definition: BagOStuff.php:127
const WRITE_SYNC
Bitfield constants for set()/merge()
Definition: BagOStuff.php:83
$params
const ERR_NONE
Possible values for getLastError()
Definition: BagOStuff.php:74
const READ_LATEST
Bitfield constants for get()/getMulti()
Definition: BagOStuff.php:80
$sleep
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
setMulti(array $data, $exptime=0)
Batch insertion.
Definition: BagOStuff.php:521
mergeViaLock($key, $callback, $exptime=0, $attempts=10, $flags=0)
Definition: BagOStuff.php:341
const WRITE_CACHE_ONLY
Definition: BagOStuff.php:84
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
decr($key, $value=1)
Decrease stored value of $key by $value while preserving its TTL.
Definition: BagOStuff.php:572
LoggerInterface $logger
Definition: BagOStuff.php:56
setLogger(LoggerInterface $logger)
Definition: BagOStuff.php:120
convertToRelative($exptime)
Convert an optionally absolute expiry time to a relative time.
Definition: BagOStuff.php:677
makeKey()
Make a cache key, scoped to this instance's keyspace.
Definition: BagOStuff.php:734
$count
cas($casToken, $key, $value, $exptime=0)
Check and set an item.
Definition: BagOStuff.php:327
Generic base class for storage interfaces.
array[] $locks
Lock tracking.
Definition: BagOStuff.php:47
makeKeyInternal($keyspace, $args)
Construct a cache key.
Definition: BagOStuff.php:707
debug($text)
Definition: BagOStuff.php:649
setLastError($err)
Set the "last error" registry.
Definition: BagOStuff.php:624
unlock($key)
Release an advisory lock on a key string.
Definition: BagOStuff.php:437
isInteger($value)
Check if a value is an integer.
Definition: BagOStuff.php:695
makeGlobalKey()
Make a global cache key.
Definition: BagOStuff.php:723
integer $lastError
Definition: BagOStuff.php:50