Merge "ApiFeedContributions: Throw if the username is invalid"
[lhc/web/wiklou.git] / includes / objectcache / ObjectCache.php
1 <?php
2 /**
3 * Functions to get cache objects.
4 *
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.
9 *
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.
14 *
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
19 *
20 * @file
21 * @ingroup Cache
22 */
23
24 use MediaWiki\Logger\LoggerFactory;
25 use MediaWiki\MediaWikiServices;
26
27 /**
28 * Functions to get cache objects
29 *
30 * The word "cache" has two main dictionary meanings, and both
31 * are used in this factory class. They are:
32 *
33 * - a) Cache (the computer science definition).
34 * A place to store copies or computations on existing data for
35 * higher access speeds.
36 * - b) Storage.
37 * A place to store lightweight data that is not canonically
38 * stored anywhere else (e.g. a "hoard" of objects).
39 *
40 * The former should always use strongly consistent stores, so callers don't
41 * have to deal with stale reads. The latter may be eventually consistent, but
42 * callers can use BagOStuff:READ_LATEST to see the latest available data.
43 *
44 * Primary entry points:
45 *
46 * - ObjectCache::getMainWANInstance()
47 * Purpose: Memory cache.
48 * Stored in the local data-center's main cache (keyspace different from local-cluster cache).
49 * Delete events are broadcasted to other DCs main cache. See WANObjectCache for details.
50 *
51 * - ObjectCache::getLocalServerInstance( $fallbackType )
52 * Purpose: Memory cache for very hot keys.
53 * Stored only on the individual web server (typically APC or APCu for web requests,
54 * and EmptyBagOStuff in CLI mode).
55 * Not replicated to the other servers.
56 *
57 * - ObjectCache::getLocalClusterInstance()
58 * Purpose: Memory storage for per-cluster coordination and tracking.
59 * A typical use case would be a rate limit counter or cache regeneration mutex.
60 * Stored centrally within the local data-center. Not replicated to other DCs.
61 * Configured by $wgMainCacheType.
62 *
63 * - ObjectCache::getMainStashInstance()
64 * Purpose: Ephemeral global storage.
65 * Stored centrally within the primary data-center.
66 * Changes are applied there first and replicated to other DCs (best-effort).
67 * To retrieve the latest value (e.g. not from a replica DB), use BagOStuff::READ_LATEST.
68 * This store may be subject to LRU style evictions.
69 *
70 * - ObjectCache::getInstance( $cacheType )
71 * Purpose: Special cases (like tiered memory/disk caches).
72 * Get a specific cache type by key in $wgObjectCaches.
73 *
74 * All the above cache instances (BagOStuff and WANObjectCache) have their makeKey()
75 * method scoped to the *current* wiki ID. Use makeGlobalKey() to avoid this scoping
76 * when using keys that need to be shared amongst wikis.
77 *
78 * @ingroup Cache
79 */
80 class ObjectCache {
81 /** @var BagOStuff[] Map of (id => BagOStuff) */
82 public static $instances = [];
83 /** @var WANObjectCache[] Map of (id => WANObjectCache) */
84 public static $wanInstances = [];
85
86 /**
87 * Get a cached instance of the specified type of cache object.
88 *
89 * @param string $id A key in $wgObjectCaches.
90 * @return BagOStuff
91 */
92 public static function getInstance( $id ) {
93 if ( !isset( self::$instances[$id] ) ) {
94 self::$instances[$id] = self::newFromId( $id );
95 }
96
97 return self::$instances[$id];
98 }
99
100 /**
101 * Get a cached instance of the specified type of WAN cache object.
102 *
103 * @since 1.26
104 * @param string $id A key in $wgWANObjectCaches.
105 * @return WANObjectCache
106 */
107 public static function getWANInstance( $id ) {
108 if ( !isset( self::$wanInstances[$id] ) ) {
109 self::$wanInstances[$id] = self::newWANCacheFromId( $id );
110 }
111
112 return self::$wanInstances[$id];
113 }
114
115 /**
116 * Create a new cache object of the specified type.
117 *
118 * @param string $id A key in $wgObjectCaches.
119 * @return BagOStuff
120 * @throws InvalidArgumentException
121 */
122 public static function newFromId( $id ) {
123 global $wgObjectCaches;
124
125 if ( !isset( $wgObjectCaches[$id] ) ) {
126 // Always recognize these ones
127 if ( $id === CACHE_NONE ) {
128 return new EmptyBagOStuff();
129 } elseif ( $id === 'hash' ) {
130 return new HashBagOStuff();
131 }
132
133 throw new InvalidArgumentException( "Invalid object cache type \"$id\" requested. " .
134 "It is not present in \$wgObjectCaches." );
135 }
136
137 return self::newFromParams( $wgObjectCaches[$id] );
138 }
139
140 /**
141 * Get the default keyspace for this wiki.
142 *
143 * This is either the value of the `CachePrefix` configuration variable,
144 * or (if the former is unset) the `DBname` configuration variable, with
145 * `DBprefix` (if defined).
146 *
147 * @return string
148 */
149 public static function getDefaultKeyspace() {
150 global $wgCachePrefix;
151
152 $keyspace = $wgCachePrefix;
153 if ( is_string( $keyspace ) && $keyspace !== '' ) {
154 return $keyspace;
155 }
156
157 return WikiMap::getCurrentWikiDbDomain()->getId();
158 }
159
160 /**
161 * Create a new cache object from parameters.
162 *
163 * @param array $params Must have 'factory' or 'class' property.
164 * - factory: Callback passed $params that returns BagOStuff.
165 * - class: BagOStuff subclass constructed with $params.
166 * - loggroup: Alias to set 'logger' key with LoggerFactory group.
167 * - .. Other parameters passed to factory or class.
168 * @return BagOStuff
169 * @throws InvalidArgumentException
170 */
171 public static function newFromParams( $params ) {
172 $params['logger'] = LoggerFactory::getInstance( $params['loggroup'] ?? 'objectcache' );
173 if ( !isset( $params['keyspace'] ) ) {
174 $params['keyspace'] = self::getDefaultKeyspace();
175 }
176 if ( isset( $params['factory'] ) ) {
177 return call_user_func( $params['factory'], $params );
178 } elseif ( isset( $params['class'] ) ) {
179 $class = $params['class'];
180 // Automatically set the 'async' update handler
181 $params['asyncHandler'] = $params['asyncHandler']
182 ?? [ DeferredUpdates::class, 'addCallableUpdate' ];
183 // Enable reportDupes by default
184 $params['reportDupes'] = $params['reportDupes'] ?? true;
185 // Do b/c logic for SqlBagOStuff
186 if ( is_a( $class, SqlBagOStuff::class, true ) ) {
187 if ( isset( $params['server'] ) && !isset( $params['servers'] ) ) {
188 $params['servers'] = [ $params['server'] ];
189 unset( $params['server'] );
190 }
191 // In the past it was not required to set 'dbDirectory' in $wgObjectCaches
192 if ( isset( $params['servers'] ) ) {
193 foreach ( $params['servers'] as &$server ) {
194 if ( $server['type'] === 'sqlite' && !isset( $server['dbDirectory'] ) ) {
195 $server['dbDirectory'] = MediaWikiServices::getInstance()
196 ->getMainConfig()->get( 'SQLiteDataDir' );
197 }
198 }
199 }
200 }
201
202 // Do b/c logic for MemcachedBagOStuff
203 if ( is_subclass_of( $class, MemcachedBagOStuff::class ) ) {
204 if ( !isset( $params['servers'] ) ) {
205 $params['servers'] = $GLOBALS['wgMemCachedServers'];
206 }
207 if ( !isset( $params['debug'] ) ) {
208 $params['debug'] = $GLOBALS['wgMemCachedDebug'];
209 }
210 if ( !isset( $params['persistent'] ) ) {
211 $params['persistent'] = $GLOBALS['wgMemCachedPersistent'];
212 }
213 if ( !isset( $params['timeout'] ) ) {
214 $params['timeout'] = $GLOBALS['wgMemCachedTimeout'];
215 }
216 }
217 return new $class( $params );
218 } else {
219 throw new InvalidArgumentException( "The definition of cache type \""
220 . print_r( $params, true ) . "\" lacks both "
221 . "factory and class parameters." );
222 }
223 }
224
225 /**
226 * Factory function for CACHE_ANYTHING (referenced from DefaultSettings.php)
227 *
228 * CACHE_ANYTHING means that stuff has to be cached, not caching is not an option.
229 * If a caching method is configured for any of the main caches ($wgMainCacheType,
230 * $wgMessageCacheType, $wgParserCacheType), then CACHE_ANYTHING will effectively
231 * be an alias to the configured cache choice for that.
232 * If no cache choice is configured (by default $wgMainCacheType is CACHE_NONE),
233 * then CACHE_ANYTHING will forward to CACHE_DB.
234 *
235 * @param array $params
236 * @return BagOStuff
237 */
238 public static function newAnything( $params ) {
239 global $wgMainCacheType, $wgMessageCacheType, $wgParserCacheType;
240 $candidates = [ $wgMainCacheType, $wgMessageCacheType, $wgParserCacheType ];
241 foreach ( $candidates as $candidate ) {
242 if ( $candidate !== CACHE_NONE && $candidate !== CACHE_ANYTHING ) {
243 $cache = self::getInstance( $candidate );
244 // CACHE_ACCEL might default to nothing if no APCu
245 // See includes/ServiceWiring.php
246 if ( !( $cache instanceof EmptyBagOStuff ) ) {
247 return $cache;
248 }
249 }
250 }
251
252 if ( MediaWikiServices::getInstance()->isServiceDisabled( 'DBLoadBalancer' ) ) {
253 // The LoadBalancer is disabled, probably because
254 // MediaWikiServices::disableStorageBackend was called.
255 $candidate = CACHE_NONE;
256 } else {
257 $candidate = CACHE_DB;
258 }
259
260 return self::getInstance( $candidate );
261 }
262
263 /**
264 * Factory function for CACHE_ACCEL (referenced from DefaultSettings.php)
265 *
266 * This will look for any APC or APCu style server-local cache.
267 * A fallback cache can be specified if none is found.
268 *
269 * // Direct calls
270 * ObjectCache::getLocalServerInstance( $fallbackType );
271 *
272 * // From $wgObjectCaches via newFromParams()
273 * ObjectCache::getLocalServerInstance( [ 'fallback' => $fallbackType ] );
274 *
275 * @param int|string|array $fallback Fallback cache or parameter map with 'fallback'
276 * @return BagOStuff
277 * @throws InvalidArgumentException
278 * @since 1.27
279 */
280 public static function getLocalServerInstance( $fallback = CACHE_NONE ) {
281 $cache = MediaWikiServices::getInstance()->getLocalServerObjectCache();
282 if ( $cache instanceof EmptyBagOStuff ) {
283 if ( is_array( $fallback ) ) {
284 $fallback = $fallback['fallback'] ?? CACHE_NONE;
285 }
286 $cache = self::getInstance( $fallback );
287 }
288
289 return $cache;
290 }
291
292 /**
293 * Create a new cache object of the specified type.
294 *
295 * @since 1.26
296 * @param string $id A key in $wgWANObjectCaches.
297 * @return WANObjectCache
298 * @throws UnexpectedValueException
299 */
300 public static function newWANCacheFromId( $id ) {
301 global $wgWANObjectCaches, $wgObjectCaches;
302
303 if ( !isset( $wgWANObjectCaches[$id] ) ) {
304 throw new UnexpectedValueException(
305 "Cache type \"$id\" requested is not present in \$wgWANObjectCaches." );
306 }
307
308 $params = $wgWANObjectCaches[$id];
309 if ( !isset( $wgObjectCaches[$params['cacheId']] ) ) {
310 throw new UnexpectedValueException(
311 "Cache type \"{$params['cacheId']}\" is not present in \$wgObjectCaches." );
312 }
313 $params['store'] = $wgObjectCaches[$params['cacheId']];
314
315 return self::newWANCacheFromParams( $params );
316 }
317
318 /**
319 * Create a new cache object of the specified type.
320 *
321 * @since 1.28
322 * @param array $params
323 * @return WANObjectCache
324 * @throws UnexpectedValueException
325 */
326 public static function newWANCacheFromParams( array $params ) {
327 global $wgCommandLineMode, $wgSecretKey;
328
329 $services = MediaWikiServices::getInstance();
330 $params['cache'] = self::newFromParams( $params['store'] );
331 $params['logger'] = LoggerFactory::getInstance( $params['loggroup'] ?? 'objectcache' );
332 if ( !$wgCommandLineMode ) {
333 // Send the statsd data post-send on HTTP requests; avoid in CLI mode (T181385)
334 $params['stats'] = $services->getStatsdDataFactory();
335 // Let pre-emptive refreshes happen post-send on HTTP requests
336 $params['asyncHandler'] = [ DeferredUpdates::class, 'addCallableUpdate' ];
337 }
338 $params['secret'] = $params['secret'] ?? $wgSecretKey;
339 $class = $params['class'];
340
341 return new $class( $params );
342 }
343
344 /**
345 * Get the main cluster-local cache object.
346 *
347 * @since 1.27
348 * @return BagOStuff
349 */
350 public static function getLocalClusterInstance() {
351 global $wgMainCacheType;
352
353 return self::getInstance( $wgMainCacheType );
354 }
355
356 /**
357 * Get the main WAN cache object.
358 *
359 * @since 1.26
360 * @return WANObjectCache
361 * @deprecated Since 1.28 Use MediaWikiServices::getInstance()->getMainWANObjectCache()
362 */
363 public static function getMainWANInstance() {
364 wfDeprecated( __METHOD__, '1.28' );
365 return MediaWikiServices::getInstance()->getMainWANObjectCache();
366 }
367
368 /**
369 * Get the cache object for the main stash.
370 *
371 * @return BagOStuff
372 * @since 1.26
373 * @deprecated Since 1.28 Use MediaWikiServices::getInstance()->getMainObjectStash()
374 */
375 public static function getMainStashInstance() {
376 wfDeprecated( __METHOD__, '1.28' );
377 return MediaWikiServices::getInstance()->getMainObjectStash();
378 }
379
380 /**
381 * Clear all the cached instances.
382 */
383 public static function clear() {
384 self::$instances = [];
385 self::$wanInstances = [];
386 }
387
388 /**
389 * Detects which local server cache library is present and returns a configuration for it
390 * @since 1.32
391 *
392 * @return int|string Index to cache in $wgObjectCaches
393 */
394 public static function detectLocalServerCache() {
395 if ( function_exists( 'apcu_fetch' ) ) {
396 return 'apcu';
397 } elseif ( function_exists( 'apc_fetch' ) ) {
398 return 'apc';
399 } elseif ( function_exists( 'wincache_ucache_get' ) ) {
400 return 'wincache';
401 }
402 return CACHE_NONE;
403 }
404 }