328cc2f8e0febe461ffeb55a0f16efd67effeaf8
[lhc/web/wiklou.git] / includes / cache / MessageCache.php
1 <?php
2 /**
3 * Localisation messages cache.
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 use MediaWiki\MediaWikiServices;
24 use Wikimedia\ScopedCallback;
25 use MediaWiki\Logger\LoggerFactory;
26 use Wikimedia\Rdbms\Database;
27
28 /**
29 * MediaWiki message cache structure version.
30 * Bump this whenever the message cache format has changed.
31 */
32 define( 'MSG_CACHE_VERSION', 2 );
33
34 /**
35 * Cache of messages that are defined by MediaWiki namespace pages or by hooks
36 *
37 * Performs various MediaWiki namespace-related functions
38 * @ingroup Cache
39 */
40 class MessageCache {
41 const FOR_UPDATE = 1; // force message reload
42
43 /** How long to wait for memcached locks */
44 const WAIT_SEC = 15;
45 /** How long memcached locks last */
46 const LOCK_TTL = 30;
47
48 /**
49 * Process cache of loaded messages that are defined in MediaWiki namespace
50 *
51 * @var MapCacheLRU Map of (language code => key => " <MESSAGE>" or "!TOO BIG" or "!ERROR")
52 */
53 protected $cache;
54
55 /**
56 * Map of (lowercase message key => index) for all software defined messages
57 *
58 * @var array
59 */
60 protected $overridable;
61
62 /**
63 * @var bool[] Map of (language code => boolean)
64 */
65 protected $cacheVolatile = [];
66
67 /**
68 * Should mean that database cannot be used, but check
69 * @var bool $mDisable
70 */
71 protected $mDisable;
72
73 /**
74 * Lifetime for cache, used by object caching.
75 * Set on construction, see __construct().
76 */
77 protected $mExpiry;
78
79 /**
80 * Message cache has its own parser which it uses to transform messages
81 * @var ParserOptions
82 */
83 protected $mParserOptions;
84 /** @var Parser */
85 protected $mParser;
86
87 /**
88 * @var bool $mInParser
89 */
90 protected $mInParser = false;
91
92 /** @var WANObjectCache */
93 protected $wanCache;
94 /** @var BagOStuff */
95 protected $clusterCache;
96 /** @var BagOStuff */
97 protected $srvCache;
98 /** @var Language */
99 protected $contLang;
100
101 /**
102 * Singleton instance
103 *
104 * @var MessageCache $instance
105 */
106 private static $instance;
107
108 /**
109 * Get the signleton instance of this class
110 *
111 * @since 1.18
112 * @return MessageCache
113 */
114 public static function singleton() {
115 if ( self::$instance === null ) {
116 global $wgUseDatabaseMessages, $wgMsgCacheExpiry, $wgUseLocalMessageCache;
117 $services = MediaWikiServices::getInstance();
118 self::$instance = new self(
119 $services->getMainWANObjectCache(),
120 wfGetMessageCacheStorage(),
121 $wgUseLocalMessageCache
122 ? $services->getLocalServerObjectCache()
123 : new EmptyBagOStuff(),
124 $wgUseDatabaseMessages,
125 $wgMsgCacheExpiry,
126 $services->getContentLanguage()
127 );
128 }
129
130 return self::$instance;
131 }
132
133 /**
134 * Destroy the singleton instance
135 *
136 * @since 1.18
137 */
138 public static function destroyInstance() {
139 self::$instance = null;
140 }
141
142 /**
143 * Normalize message key input
144 *
145 * @param string $key Input message key to be normalized
146 * @return string Normalized message key
147 */
148 public static function normalizeKey( $key ) {
149 $lckey = strtr( $key, ' ', '_' );
150 if ( ord( $lckey ) < 128 ) {
151 $lckey[0] = strtolower( $lckey[0] );
152 } else {
153 $lckey = MediaWikiServices::getInstance()->getContentLanguage()->lcfirst( $lckey );
154 }
155
156 return $lckey;
157 }
158
159 /**
160 * @param WANObjectCache $wanCache
161 * @param BagOStuff $clusterCache
162 * @param BagOStuff $serverCache
163 * @param bool $useDB Whether to look for message overrides (e.g. MediaWiki: pages)
164 * @param int $expiry Lifetime for cache. @see $mExpiry.
165 * @param Language|null $contLang Content language of site
166 */
167 public function __construct(
168 WANObjectCache $wanCache,
169 BagOStuff $clusterCache,
170 BagOStuff $serverCache,
171 $useDB,
172 $expiry,
173 Language $contLang = null
174 ) {
175 $this->wanCache = $wanCache;
176 $this->clusterCache = $clusterCache;
177 $this->srvCache = $serverCache;
178
179 $this->cache = new MapCacheLRU( 5 ); // limit size for sanity
180
181 $this->mDisable = !$useDB;
182 $this->mExpiry = $expiry;
183 $this->contLang = $contLang ?? MediaWikiServices::getInstance()->getContentLanguage();
184 }
185
186 /**
187 * ParserOptions is lazy initialised.
188 *
189 * @return ParserOptions
190 */
191 function getParserOptions() {
192 global $wgUser;
193
194 if ( !$this->mParserOptions ) {
195 if ( !$wgUser->isSafeToLoad() ) {
196 // $wgUser isn't unstubbable yet, so don't try to get a
197 // ParserOptions for it. And don't cache this ParserOptions
198 // either.
199 $po = ParserOptions::newFromAnon();
200 $po->setAllowUnsafeRawHtml( false );
201 $po->setTidy( true );
202 return $po;
203 }
204
205 $this->mParserOptions = new ParserOptions;
206 // Messages may take parameters that could come
207 // from malicious sources. As a precaution, disable
208 // the <html> parser tag when parsing messages.
209 $this->mParserOptions->setAllowUnsafeRawHtml( false );
210 // For the same reason, tidy the output!
211 $this->mParserOptions->setTidy( true );
212 }
213
214 return $this->mParserOptions;
215 }
216
217 /**
218 * Try to load the cache from APC.
219 *
220 * @param string $code Optional language code, see documenation of load().
221 * @return array|bool The cache array, or false if not in cache.
222 */
223 protected function getLocalCache( $code ) {
224 $cacheKey = $this->srvCache->makeKey( __CLASS__, $code );
225
226 return $this->srvCache->get( $cacheKey );
227 }
228
229 /**
230 * Save the cache to APC.
231 *
232 * @param string $code
233 * @param array $cache The cache array
234 */
235 protected function saveToLocalCache( $code, $cache ) {
236 $cacheKey = $this->srvCache->makeKey( __CLASS__, $code );
237 $this->srvCache->set( $cacheKey, $cache );
238 }
239
240 /**
241 * Loads messages from caches or from database in this order:
242 * (1) local message cache (if $wgUseLocalMessageCache is enabled)
243 * (2) memcached
244 * (3) from the database.
245 *
246 * When successfully loading from (2) or (3), all higher level caches are
247 * updated for the newest version.
248 *
249 * Nothing is loaded if member variable mDisable is true, either manually
250 * set by calling code or if message loading fails (is this possible?).
251 *
252 * Returns true if cache is already populated or it was successfully populated,
253 * or false if populating empty cache fails. Also returns true if MessageCache
254 * is disabled.
255 *
256 * @param string $code Language to which load messages
257 * @param int|null $mode Use MessageCache::FOR_UPDATE to skip process cache [optional]
258 * @throws InvalidArgumentException
259 * @return bool
260 */
261 protected function load( $code, $mode = null ) {
262 if ( !is_string( $code ) ) {
263 throw new InvalidArgumentException( "Missing language code" );
264 }
265
266 # Don't do double loading...
267 if ( $this->cache->has( $code ) && $mode != self::FOR_UPDATE ) {
268 return true;
269 }
270
271 $this->overridable = array_flip( Language::getMessageKeysFor( $code ) );
272
273 // T208897 array_flip can fail and return null
274 if ( is_null( $this->overridable ) ) {
275 LoggerFactory::getInstance( 'MessageCache' )->error(
276 __METHOD__ . ': $this->overridable is null',
277 [
278 'message_keys' => Language::getMessageKeysFor( $code ),
279 'code' => $code
280 ]
281 );
282 }
283
284 # 8 lines of code just to say (once) that message cache is disabled
285 if ( $this->mDisable ) {
286 static $shownDisabled = false;
287 if ( !$shownDisabled ) {
288 wfDebug( __METHOD__ . ": disabled\n" );
289 $shownDisabled = true;
290 }
291
292 return true;
293 }
294
295 # Loading code starts
296 $success = false; # Keep track of success
297 $staleCache = false; # a cache array with expired data, or false if none has been loaded
298 $where = []; # Debug info, delayed to avoid spamming debug log too much
299
300 # Hash of the contents is stored in memcache, to detect if data-center cache
301 # or local cache goes out of date (e.g. due to replace() on some other server)
302 list( $hash, $hashVolatile ) = $this->getValidationHash( $code );
303 $this->cacheVolatile[$code] = $hashVolatile;
304
305 # Try the local cache and check against the cluster hash key...
306 $cache = $this->getLocalCache( $code );
307 if ( !$cache ) {
308 $where[] = 'local cache is empty';
309 } elseif ( !isset( $cache['HASH'] ) || $cache['HASH'] !== $hash ) {
310 $where[] = 'local cache has the wrong hash';
311 $staleCache = $cache;
312 } elseif ( $this->isCacheExpired( $cache ) ) {
313 $where[] = 'local cache is expired';
314 $staleCache = $cache;
315 } elseif ( $hashVolatile ) {
316 $where[] = 'local cache validation key is expired/volatile';
317 $staleCache = $cache;
318 } else {
319 $where[] = 'got from local cache';
320 $this->cache->set( $code, $cache );
321 $success = true;
322 }
323
324 if ( !$success ) {
325 $cacheKey = $this->clusterCache->makeKey( 'messages', $code );
326 # Try the global cache. If it is empty, try to acquire a lock. If
327 # the lock can't be acquired, wait for the other thread to finish
328 # and then try the global cache a second time.
329 for ( $failedAttempts = 0; $failedAttempts <= 1; $failedAttempts++ ) {
330 if ( $hashVolatile && $staleCache ) {
331 # Do not bother fetching the whole cache blob to avoid I/O.
332 # Instead, just try to get the non-blocking $statusKey lock
333 # below, and use the local stale value if it was not acquired.
334 $where[] = 'global cache is presumed expired';
335 } else {
336 $cache = $this->clusterCache->get( $cacheKey );
337 if ( !$cache ) {
338 $where[] = 'global cache is empty';
339 } elseif ( $this->isCacheExpired( $cache ) ) {
340 $where[] = 'global cache is expired';
341 $staleCache = $cache;
342 } elseif ( $hashVolatile ) {
343 # DB results are replica DB lag prone until the holdoff TTL passes.
344 # By then, updates should be reflected in loadFromDBWithLock().
345 # One thread renerates the cache while others use old values.
346 $where[] = 'global cache is expired/volatile';
347 $staleCache = $cache;
348 } else {
349 $where[] = 'got from global cache';
350 $this->cache->set( $code, $cache );
351 $this->saveToCaches( $cache, 'local-only', $code );
352 $success = true;
353 }
354 }
355
356 if ( $success ) {
357 # Done, no need to retry
358 break;
359 }
360
361 # We need to call loadFromDB. Limit the concurrency to one process.
362 # This prevents the site from going down when the cache expires.
363 # Note that the DB slam protection lock here is non-blocking.
364 $loadStatus = $this->loadFromDBWithLock( $code, $where, $mode );
365 if ( $loadStatus === true ) {
366 $success = true;
367 break;
368 } elseif ( $staleCache ) {
369 # Use the stale cache while some other thread constructs the new one
370 $where[] = 'using stale cache';
371 $this->cache->set( $code, $staleCache );
372 $success = true;
373 break;
374 } elseif ( $failedAttempts > 0 ) {
375 # Already blocked once, so avoid another lock/unlock cycle.
376 # This case will typically be hit if memcached is down, or if
377 # loadFromDB() takes longer than LOCK_WAIT.
378 $where[] = "could not acquire status key.";
379 break;
380 } elseif ( $loadStatus === 'cantacquire' ) {
381 # Wait for the other thread to finish, then retry. Normally,
382 # the memcached get() will then yeild the other thread's result.
383 $where[] = 'waited for other thread to complete';
384 $this->getReentrantScopedLock( $cacheKey );
385 } else {
386 # Disable cache; $loadStatus is 'disabled'
387 break;
388 }
389 }
390 }
391
392 if ( !$success ) {
393 $where[] = 'loading FAILED - cache is disabled';
394 $this->mDisable = true;
395 $this->cache->set( $code, [] );
396 wfDebugLog( 'MessageCacheError', __METHOD__ . ": Failed to load $code\n" );
397 # This used to throw an exception, but that led to nasty side effects like
398 # the whole wiki being instantly down if the memcached server died
399 }
400
401 if ( !$this->cache->has( $code ) ) { // sanity
402 throw new LogicException( "Process cache for '$code' should be set by now." );
403 }
404
405 $info = implode( ', ', $where );
406 wfDebugLog( 'MessageCache', __METHOD__ . ": Loading $code... $info\n" );
407
408 return $success;
409 }
410
411 /**
412 * @param string $code
413 * @param array &$where List of wfDebug() comments
414 * @param int|null $mode Use MessageCache::FOR_UPDATE to use DB_MASTER
415 * @return bool|string True on success or one of ("cantacquire", "disabled")
416 */
417 protected function loadFromDBWithLock( $code, array &$where, $mode = null ) {
418 # If cache updates on all levels fail, give up on message overrides.
419 # This is to avoid easy site outages; see $saveSuccess comments below.
420 $statusKey = $this->clusterCache->makeKey( 'messages', $code, 'status' );
421 $status = $this->clusterCache->get( $statusKey );
422 if ( $status === 'error' ) {
423 $where[] = "could not load; method is still globally disabled";
424 return 'disabled';
425 }
426
427 # Now let's regenerate
428 $where[] = 'loading from database';
429
430 # Lock the cache to prevent conflicting writes.
431 # This lock is non-blocking so stale cache can quickly be used.
432 # Note that load() will call a blocking getReentrantScopedLock()
433 # after this if it really need to wait for any current thread.
434 $cacheKey = $this->clusterCache->makeKey( 'messages', $code );
435 $scopedLock = $this->getReentrantScopedLock( $cacheKey, 0 );
436 if ( !$scopedLock ) {
437 $where[] = 'could not acquire main lock';
438 return 'cantacquire';
439 }
440
441 $cache = $this->loadFromDB( $code, $mode );
442 $this->cache->set( $code, $cache );
443 $saveSuccess = $this->saveToCaches( $cache, 'all', $code );
444
445 if ( !$saveSuccess ) {
446 /**
447 * Cache save has failed.
448 *
449 * There are two main scenarios where this could be a problem:
450 * - The cache is more than the maximum size (typically 1MB compressed).
451 * - Memcached has no space remaining in the relevant slab class. This is
452 * unlikely with recent versions of memcached.
453 *
454 * Either way, if there is a local cache, nothing bad will happen. If there
455 * is no local cache, disabling the message cache for all requests avoids
456 * incurring a loadFromDB() overhead on every request, and thus saves the
457 * wiki from complete downtime under moderate traffic conditions.
458 */
459 if ( $this->srvCache instanceof EmptyBagOStuff ) {
460 $this->clusterCache->set( $statusKey, 'error', 60 * 5 );
461 $where[] = 'could not save cache, disabled globally for 5 minutes';
462 } else {
463 $where[] = "could not save global cache";
464 }
465 }
466
467 return true;
468 }
469
470 /**
471 * Loads cacheable messages from the database. Messages bigger than
472 * $wgMaxMsgCacheEntrySize are assigned a special value, and are loaded
473 * on-demand from the database later.
474 *
475 * @param string $code Language code
476 * @param int|null $mode Use MessageCache::FOR_UPDATE to skip process cache
477 * @return array Loaded messages for storing in caches
478 */
479 protected function loadFromDB( $code, $mode = null ) {
480 global $wgMaxMsgCacheEntrySize, $wgLanguageCode, $wgAdaptiveMessageCache;
481
482 // (T164666) The query here performs really poorly on WMF's
483 // contributions replicas. We don't have a way to say "any group except
484 // contributions", so for the moment let's specify 'api'.
485 // @todo: Get rid of this hack.
486 $dbr = wfGetDB( ( $mode == self::FOR_UPDATE ) ? DB_MASTER : DB_REPLICA, 'api' );
487
488 $cache = [];
489
490 $mostused = []; // list of "<cased message key>/<code>"
491 if ( $wgAdaptiveMessageCache && $code !== $wgLanguageCode ) {
492 if ( !$this->cache->has( $wgLanguageCode ) ) {
493 $this->load( $wgLanguageCode );
494 }
495 $mostused = array_keys( $this->cache->get( $wgLanguageCode ) );
496 foreach ( $mostused as $key => $value ) {
497 $mostused[$key] = "$value/$code";
498 }
499 }
500
501 // Get the list of software-defined messages in core/extensions
502 $overridable = array_flip( Language::getMessageKeysFor( $wgLanguageCode ) );
503
504 // Common conditions
505 $conds = [
506 'page_is_redirect' => 0,
507 'page_namespace' => NS_MEDIAWIKI,
508 ];
509 if ( count( $mostused ) ) {
510 $conds['page_title'] = $mostused;
511 } elseif ( $code !== $wgLanguageCode ) {
512 $conds[] = 'page_title' . $dbr->buildLike( $dbr->anyString(), '/', $code );
513 } else {
514 # Effectively disallows use of '/' character in NS_MEDIAWIKI for uses
515 # other than language code.
516 $conds[] = 'page_title NOT' .
517 $dbr->buildLike( $dbr->anyString(), '/', $dbr->anyString() );
518 }
519
520 // Set the stubs for oversized software-defined messages in the main cache map
521 $res = $dbr->select(
522 'page',
523 [ 'page_title', 'page_latest' ],
524 array_merge( $conds, [ 'page_len > ' . intval( $wgMaxMsgCacheEntrySize ) ] ),
525 __METHOD__ . "($code)-big"
526 );
527 foreach ( $res as $row ) {
528 $name = $this->contLang->lcfirst( $row->page_title );
529 // Include entries/stubs for all keys in $mostused in adaptive mode
530 if ( $wgAdaptiveMessageCache || $this->isMainCacheable( $name, $overridable ) ) {
531 $cache[$row->page_title] = '!TOO BIG';
532 }
533 // At least include revision ID so page changes are reflected in the hash
534 $cache['EXCESSIVE'][$row->page_title] = $row->page_latest;
535 }
536
537 // Set the text for small software-defined messages in the main cache map
538 $revisionStore = MediaWikiServices::getInstance()->getRevisionStore();
539 $revQuery = $revisionStore->getQueryInfo( [ 'page', 'user' ] );
540 $res = $dbr->select(
541 $revQuery['tables'],
542 $revQuery['fields'],
543 array_merge( $conds, [
544 'page_len <= ' . intval( $wgMaxMsgCacheEntrySize ),
545 'page_latest = rev_id' // get the latest revision only
546 ] ),
547 __METHOD__ . "($code)-small",
548 [],
549 $revQuery['joins']
550 );
551 foreach ( $res as $row ) {
552 $name = $this->contLang->lcfirst( $row->page_title );
553 // Include entries/stubs for all keys in $mostused in adaptive mode
554 if ( $wgAdaptiveMessageCache || $this->isMainCacheable( $name, $overridable ) ) {
555 try {
556 $rev = $revisionStore->newRevisionFromRow( $row );
557 $content = $rev->getContent( MediaWiki\Revision\SlotRecord::MAIN );
558 $text = $this->getMessageTextFromContent( $content );
559 } catch ( Exception $ex ) {
560 $text = false;
561 }
562
563 if ( !is_string( $text ) ) {
564 $entry = '!ERROR';
565 wfDebugLog(
566 'MessageCache',
567 __METHOD__
568 . ": failed to load message page text for {$row->page_title} ($code)"
569 );
570 } else {
571 $entry = ' ' . $text;
572 }
573 $cache[$row->page_title] = $entry;
574 } else {
575 // T193271: cache object gets too big and slow to generate.
576 // At least include revision ID so page changes are reflected in the hash.
577 $cache['EXCESSIVE'][$row->page_title] = $row->page_latest;
578 }
579 }
580
581 $cache['VERSION'] = MSG_CACHE_VERSION;
582 ksort( $cache );
583
584 # Hash for validating local cache (APC). No need to take into account
585 # messages larger than $wgMaxMsgCacheEntrySize, since those are only
586 # stored and fetched from memcache.
587 $cache['HASH'] = md5( serialize( $cache ) );
588 $cache['EXPIRY'] = wfTimestamp( TS_MW, time() + $this->mExpiry );
589 unset( $cache['EXCESSIVE'] ); // only needed for hash
590
591 return $cache;
592 }
593
594 /**
595 * @param string $name Message name with lowercase first letter
596 * @param array $overridable Map of (key => unused) for software-defined messages
597 * @return bool
598 */
599 private function isMainCacheable( $name, array $overridable ) {
600 // Include common conversion table pages. This also avoids problems with
601 // Installer::parse() bailing out due to disallowed DB queries (T207979).
602 return ( isset( $overridable[$name] ) || strpos( $name, 'conversiontable/' ) === 0 );
603 }
604
605 /**
606 * Updates cache as necessary when message page is changed
607 *
608 * @param string $title Message cache key with initial uppercase letter
609 * @param string|bool $text New contents of the page (false if deleted)
610 */
611 public function replace( $title, $text ) {
612 global $wgLanguageCode;
613
614 if ( $this->mDisable ) {
615 return;
616 }
617
618 list( $msg, $code ) = $this->figureMessage( $title );
619 if ( strpos( $title, '/' ) !== false && $code === $wgLanguageCode ) {
620 // Content language overrides do not use the /<code> suffix
621 return;
622 }
623
624 // (a) Update the process cache with the new message text
625 if ( $text === false ) {
626 // Page deleted
627 $this->cache->setField( $code, $title, '!NONEXISTENT' );
628 } else {
629 // Ignore $wgMaxMsgCacheEntrySize so the process cache is up to date
630 $this->cache->setField( $code, $title, ' ' . $text );
631 }
632
633 // (b) Update the shared caches in a deferred update with a fresh DB snapshot
634 DeferredUpdates::addUpdate(
635 new MessageCacheUpdate( $code, $title, $msg ),
636 DeferredUpdates::PRESEND
637 );
638 }
639
640 /**
641 * @param string $code
642 * @param array[] $replacements List of (title, message key) pairs
643 * @throws MWException
644 */
645 public function refreshAndReplaceInternal( $code, array $replacements ) {
646 global $wgMaxMsgCacheEntrySize;
647
648 // Allow one caller at a time to avoid race conditions
649 $scopedLock = $this->getReentrantScopedLock(
650 $this->clusterCache->makeKey( 'messages', $code )
651 );
652 if ( !$scopedLock ) {
653 foreach ( $replacements as list( $title ) ) {
654 LoggerFactory::getInstance( 'MessageCache' )->error(
655 __METHOD__ . ': could not acquire lock to update {title} ({code})',
656 [ 'title' => $title, 'code' => $code ] );
657 }
658
659 return;
660 }
661
662 // Load the existing cache to update it in the local DC cache.
663 // The other DCs will see a hash mismatch.
664 if ( $this->load( $code, self::FOR_UPDATE ) ) {
665 $cache = $this->cache->get( $code );
666 } else {
667 // Err? Fall back to loading from the database.
668 $cache = $this->loadFromDB( $code, self::FOR_UPDATE );
669 }
670 // Check if individual cache keys should exist and update cache accordingly
671 $newTextByTitle = []; // map of (title => content)
672 $newBigTitles = []; // map of (title => latest revision ID), like EXCESSIVE in loadFromDB()
673 foreach ( $replacements as list( $title ) ) {
674 $page = WikiPage::factory( Title::makeTitle( NS_MEDIAWIKI, $title ) );
675 $page->loadPageData( $page::READ_LATEST );
676 $text = $this->getMessageTextFromContent( $page->getContent() );
677 // Remember the text for the blob store update later on
678 $newTextByTitle[$title] = $text;
679 // Note that if $text is false, then $cache should have a !NONEXISTANT entry
680 if ( !is_string( $text ) ) {
681 $cache[$title] = '!NONEXISTENT';
682 } elseif ( strlen( $text ) > $wgMaxMsgCacheEntrySize ) {
683 $cache[$title] = '!TOO BIG';
684 $newBigTitles[$title] = $page->getLatest();
685 } else {
686 $cache[$title] = ' ' . $text;
687 }
688 }
689 // Update HASH for the new key. Incorporates various administrative keys,
690 // including the old HASH (and thereby the EXCESSIVE value from loadFromDB()
691 // and previous replace() calls), but that doesn't really matter since we
692 // only ever compare it for equality with a copy saved by saveToCaches().
693 $cache['HASH'] = md5( serialize( $cache + [ 'EXCESSIVE' => $newBigTitles ] ) );
694 // Update the too-big WAN cache entries now that we have the new HASH
695 foreach ( $newBigTitles as $title => $id ) {
696 // Match logic of loadCachedMessagePageEntry()
697 $this->wanCache->set(
698 $this->bigMessageCacheKey( $cache['HASH'], $title ),
699 ' ' . $newTextByTitle[$title],
700 $this->mExpiry
701 );
702 }
703 // Mark this cache as definitely being "latest" (non-volatile) so
704 // load() calls do not try to refresh the cache with replica DB data
705 $cache['LATEST'] = time();
706 // Update the process cache
707 $this->cache->set( $code, $cache );
708 // Pre-emptively update the local datacenter cache so things like edit filter and
709 // blacklist changes are reflected immediately; these often use MediaWiki: pages.
710 // The datacenter handling replace() calls should be the same one handling edits
711 // as they require HTTP POST.
712 $this->saveToCaches( $cache, 'all', $code );
713 // Release the lock now that the cache is saved
714 ScopedCallback::consume( $scopedLock );
715
716 // Relay the purge. Touching this check key expires cache contents
717 // and local cache (APC) validation hash across all datacenters.
718 $this->wanCache->touchCheckKey( $this->getCheckKey( $code ) );
719
720 // Purge the messages in the message blob store and fire any hook handlers
721 $blobStore = MediaWikiServices::getInstance()->getResourceLoader()->getMessageBlobStore();
722 foreach ( $replacements as list( $title, $msg ) ) {
723 $blobStore->updateMessage( $this->contLang->lcfirst( $msg ) );
724 Hooks::run( 'MessageCacheReplace', [ $title, $newTextByTitle[$title] ] );
725 }
726 }
727
728 /**
729 * Is the given cache array expired due to time passing or a version change?
730 *
731 * @param array $cache
732 * @return bool
733 */
734 protected function isCacheExpired( $cache ) {
735 if ( !isset( $cache['VERSION'] ) || !isset( $cache['EXPIRY'] ) ) {
736 return true;
737 }
738 if ( $cache['VERSION'] != MSG_CACHE_VERSION ) {
739 return true;
740 }
741 if ( wfTimestampNow() >= $cache['EXPIRY'] ) {
742 return true;
743 }
744
745 return false;
746 }
747
748 /**
749 * Shortcut to update caches.
750 *
751 * @param array $cache Cached messages with a version.
752 * @param string $dest Either "local-only" to save to local caches only
753 * or "all" to save to all caches.
754 * @param string|bool $code Language code (default: false)
755 * @return bool
756 */
757 protected function saveToCaches( array $cache, $dest, $code = false ) {
758 if ( $dest === 'all' ) {
759 $cacheKey = $this->clusterCache->makeKey( 'messages', $code );
760 $success = $this->clusterCache->set( $cacheKey, $cache );
761 $this->setValidationHash( $code, $cache );
762 } else {
763 $success = true;
764 }
765
766 $this->saveToLocalCache( $code, $cache );
767
768 return $success;
769 }
770
771 /**
772 * Get the md5 used to validate the local APC cache
773 *
774 * @param string $code
775 * @return array (hash or false, bool expiry/volatility status)
776 */
777 protected function getValidationHash( $code ) {
778 $curTTL = null;
779 $value = $this->wanCache->get(
780 $this->wanCache->makeKey( 'messages', $code, 'hash', 'v1' ),
781 $curTTL,
782 [ $this->getCheckKey( $code ) ]
783 );
784
785 if ( $value ) {
786 $hash = $value['hash'];
787 if ( ( time() - $value['latest'] ) < WANObjectCache::TTL_MINUTE ) {
788 // Cache was recently updated via replace() and should be up-to-date.
789 // That method is only called in the primary datacenter and uses FOR_UPDATE.
790 // Also, it is unlikely that the current datacenter is *now* secondary one.
791 $expired = false;
792 } else {
793 // See if the "check" key was bumped after the hash was generated
794 $expired = ( $curTTL < 0 );
795 }
796 } else {
797 // No hash found at all; cache must regenerate to be safe
798 $hash = false;
799 $expired = true;
800 }
801
802 return [ $hash, $expired ];
803 }
804
805 /**
806 * Set the md5 used to validate the local disk cache
807 *
808 * If $cache has a 'LATEST' UNIX timestamp key, then the hash will not
809 * be treated as "volatile" by getValidationHash() for the next few seconds.
810 * This is triggered when $cache is generated using FOR_UPDATE mode.
811 *
812 * @param string $code
813 * @param array $cache Cached messages with a version
814 */
815 protected function setValidationHash( $code, array $cache ) {
816 $this->wanCache->set(
817 $this->wanCache->makeKey( 'messages', $code, 'hash', 'v1' ),
818 [
819 'hash' => $cache['HASH'],
820 'latest' => $cache['LATEST'] ?? 0
821 ],
822 WANObjectCache::TTL_INDEFINITE
823 );
824 }
825
826 /**
827 * @param string $key A language message cache key that stores blobs
828 * @param int $timeout Wait timeout in seconds
829 * @return null|ScopedCallback
830 */
831 protected function getReentrantScopedLock( $key, $timeout = self::WAIT_SEC ) {
832 return $this->clusterCache->getScopedLock( $key, $timeout, self::LOCK_TTL, __METHOD__ );
833 }
834
835 /**
836 * Get a message from either the content language or the user language.
837 *
838 * First, assemble a list of languages to attempt getting the message from. This
839 * chain begins with the requested language and its fallbacks and then continues with
840 * the content language and its fallbacks. For each language in the chain, the following
841 * process will occur (in this order):
842 * 1. If a language-specific override, i.e., [[MW:msg/lang]], is available, use that.
843 * Note: for the content language, there is no /lang subpage.
844 * 2. Fetch from the static CDB cache.
845 * 3. If available, check the database for fallback language overrides.
846 *
847 * This process provides a number of guarantees. When changing this code, make sure all
848 * of these guarantees are preserved.
849 * * If the requested language is *not* the content language, then the CDB cache for that
850 * specific language will take precedence over the root database page ([[MW:msg]]).
851 * * Fallbacks will be just that: fallbacks. A fallback language will never be reached if
852 * the message is available *anywhere* in the language for which it is a fallback.
853 *
854 * @param string $key The message key
855 * @param bool $useDB If true, look for the message in the DB, false
856 * to use only the compiled l10n cache.
857 * @param bool|string|object $langcode Code of the language to get the message for.
858 * - If string and a valid code, will create a standard language object
859 * - If string but not a valid code, will create a basic language object
860 * - If boolean and false, create object from the current users language
861 * - If boolean and true, create object from the wikis content language
862 * - If language object, use it as given
863 *
864 * @throws MWException When given an invalid key
865 * @return string|bool False if the message doesn't exist, otherwise the
866 * message (which can be empty)
867 */
868 function get( $key, $useDB = true, $langcode = true ) {
869 if ( is_int( $key ) ) {
870 // Fix numerical strings that somehow become ints
871 // on their way here
872 $key = (string)$key;
873 } elseif ( !is_string( $key ) ) {
874 throw new MWException( 'Non-string key given' );
875 } elseif ( $key === '' ) {
876 // Shortcut: the empty key is always missing
877 return false;
878 }
879
880 // Normalise title-case input (with some inlining)
881 $lckey = self::normalizeKey( $key );
882
883 Hooks::run( 'MessageCache::get', [ &$lckey ] );
884
885 // Loop through each language in the fallback list until we find something useful
886 $message = $this->getMessageFromFallbackChain(
887 wfGetLangObj( $langcode ),
888 $lckey,
889 !$this->mDisable && $useDB
890 );
891
892 // If we still have no message, maybe the key was in fact a full key so try that
893 if ( $message === false ) {
894 $parts = explode( '/', $lckey );
895 // We may get calls for things that are http-urls from sidebar
896 // Let's not load nonexistent languages for those
897 // They usually have more than one slash.
898 if ( count( $parts ) == 2 && $parts[1] !== '' ) {
899 $message = Language::getMessageFor( $parts[0], $parts[1] );
900 if ( $message === null ) {
901 $message = false;
902 }
903 }
904 }
905
906 // Post-processing if the message exists
907 if ( $message !== false ) {
908 // Fix whitespace
909 $message = str_replace(
910 [
911 # Fix for trailing whitespace, removed by textarea
912 '&#32;',
913 # Fix for NBSP, converted to space by firefox
914 '&nbsp;',
915 '&#160;',
916 '&shy;'
917 ],
918 [
919 ' ',
920 "\u{00A0}",
921 "\u{00A0}",
922 "\u{00AD}"
923 ],
924 $message
925 );
926 }
927
928 return $message;
929 }
930
931 /**
932 * Given a language, try and fetch messages from that language.
933 *
934 * Will also consider fallbacks of that language, the site language, and fallbacks for
935 * the site language.
936 *
937 * @see MessageCache::get
938 * @param Language|StubObject $lang Preferred language
939 * @param string $lckey Lowercase key for the message (as for localisation cache)
940 * @param bool $useDB Whether to include messages from the wiki database
941 * @return string|bool The message, or false if not found
942 */
943 protected function getMessageFromFallbackChain( $lang, $lckey, $useDB ) {
944 $alreadyTried = [];
945
946 // First try the requested language.
947 $message = $this->getMessageForLang( $lang, $lckey, $useDB, $alreadyTried );
948 if ( $message !== false ) {
949 return $message;
950 }
951
952 // Now try checking the site language.
953 $message = $this->getMessageForLang( $this->contLang, $lckey, $useDB, $alreadyTried );
954 return $message;
955 }
956
957 /**
958 * Given a language, try and fetch messages from that language and its fallbacks.
959 *
960 * @see MessageCache::get
961 * @param Language|StubObject $lang Preferred language
962 * @param string $lckey Lowercase key for the message (as for localisation cache)
963 * @param bool $useDB Whether to include messages from the wiki database
964 * @param bool[] $alreadyTried Contains true for each language that has been tried already
965 * @return string|bool The message, or false if not found
966 */
967 private function getMessageForLang( $lang, $lckey, $useDB, &$alreadyTried ) {
968 $langcode = $lang->getCode();
969
970 // Try checking the database for the requested language
971 if ( $useDB ) {
972 $uckey = $this->contLang->ucfirst( $lckey );
973
974 if ( !isset( $alreadyTried[$langcode] ) ) {
975 $message = $this->getMsgFromNamespace(
976 $this->getMessagePageName( $langcode, $uckey ),
977 $langcode
978 );
979 if ( $message !== false ) {
980 return $message;
981 }
982 $alreadyTried[$langcode] = true;
983 }
984 } else {
985 $uckey = null;
986 }
987
988 // Check the CDB cache
989 $message = $lang->getMessage( $lckey );
990 if ( $message !== null ) {
991 return $message;
992 }
993
994 // Try checking the database for all of the fallback languages
995 if ( $useDB ) {
996 $fallbackChain = Language::getFallbacksFor( $langcode );
997
998 foreach ( $fallbackChain as $code ) {
999 if ( isset( $alreadyTried[$code] ) ) {
1000 continue;
1001 }
1002
1003 $message = $this->getMsgFromNamespace(
1004 $this->getMessagePageName( $code, $uckey ), $code );
1005
1006 if ( $message !== false ) {
1007 return $message;
1008 }
1009 $alreadyTried[$code] = true;
1010 }
1011 }
1012
1013 return false;
1014 }
1015
1016 /**
1017 * Get the message page name for a given language
1018 *
1019 * @param string $langcode
1020 * @param string $uckey Uppercase key for the message
1021 * @return string The page name
1022 */
1023 private function getMessagePageName( $langcode, $uckey ) {
1024 global $wgLanguageCode;
1025
1026 if ( $langcode === $wgLanguageCode ) {
1027 // Messages created in the content language will not have the /lang extension
1028 return $uckey;
1029 } else {
1030 return "$uckey/$langcode";
1031 }
1032 }
1033
1034 /**
1035 * Get a message from the MediaWiki namespace, with caching. The key must
1036 * first be converted to two-part lang/msg form if necessary.
1037 *
1038 * Unlike self::get(), this function doesn't resolve fallback chains, and
1039 * some callers require this behavior. LanguageConverter::parseCachedTable()
1040 * and self::get() are some examples in core.
1041 *
1042 * @param string $title Message cache key with initial uppercase letter
1043 * @param string $code Code denoting the language to try
1044 * @return string|bool The message, or false if it does not exist or on error
1045 */
1046 public function getMsgFromNamespace( $title, $code ) {
1047 // Load all MediaWiki page definitions into cache. Note that individual keys
1048 // already loaded into cache during this request remain in the cache, which
1049 // includes the value of hook-defined messages.
1050 $this->load( $code );
1051
1052 $entry = $this->cache->getField( $code, $title );
1053
1054 if ( $entry !== null ) {
1055 // Message page exists as an override of a software messages
1056 if ( substr( $entry, 0, 1 ) === ' ' ) {
1057 // The message exists and is not '!TOO BIG' or '!ERROR'
1058 return (string)substr( $entry, 1 );
1059 } elseif ( $entry === '!NONEXISTENT' ) {
1060 // The text might be '-' or missing due to some data loss
1061 return false;
1062 }
1063 // Load the message page, utilizing the individual message cache.
1064 // If the page does not exist, there will be no hook handler fallbacks.
1065 $entry = $this->loadCachedMessagePageEntry(
1066 $title,
1067 $code,
1068 $this->cache->getField( $code, 'HASH' )
1069 );
1070 } else {
1071 // Message page either does not exist or does not override a software message
1072 $name = $this->contLang->lcfirst( $title );
1073 if ( !$this->isMainCacheable( $name, $this->overridable ) ) {
1074 // Message page does not override any software-defined message. A custom
1075 // message might be defined to have content or settings specific to the wiki.
1076 // Load the message page, utilizing the individual message cache as needed.
1077 $entry = $this->loadCachedMessagePageEntry(
1078 $title,
1079 $code,
1080 $this->cache->getField( $code, 'HASH' )
1081 );
1082 }
1083 if ( $entry === null || substr( $entry, 0, 1 ) !== ' ' ) {
1084 // Message does not have a MediaWiki page definition; try hook handlers
1085 $message = false;
1086 Hooks::run( 'MessagesPreLoad', [ $title, &$message, $code ] );
1087 if ( $message !== false ) {
1088 $this->cache->setField( $code, $title, ' ' . $message );
1089 } else {
1090 $this->cache->setField( $code, $title, '!NONEXISTENT' );
1091 }
1092
1093 return $message;
1094 }
1095 }
1096
1097 if ( $entry !== false && substr( $entry, 0, 1 ) === ' ' ) {
1098 if ( $this->cacheVolatile[$code] ) {
1099 // Make sure that individual keys respect the WAN cache holdoff period too
1100 LoggerFactory::getInstance( 'MessageCache' )->debug(
1101 __METHOD__ . ': loading volatile key \'{titleKey}\'',
1102 [ 'titleKey' => $title, 'code' => $code ] );
1103 } else {
1104 $this->cache->setField( $code, $title, $entry );
1105 }
1106 // The message exists, so make sure a string is returned
1107 return (string)substr( $entry, 1 );
1108 }
1109
1110 $this->cache->setField( $code, $title, '!NONEXISTENT' );
1111
1112 return false;
1113 }
1114
1115 /**
1116 * @param string $dbKey
1117 * @param string $code
1118 * @param string $hash
1119 * @return string Either " <MESSAGE>" or "!NONEXISTANT"
1120 */
1121 private function loadCachedMessagePageEntry( $dbKey, $code, $hash ) {
1122 $fname = __METHOD__;
1123 return $this->srvCache->getWithSetCallback(
1124 $this->srvCache->makeKey( 'messages-big', $hash, $dbKey ),
1125 IExpiringStore::TTL_MINUTE,
1126 function () use ( $code, $dbKey, $hash, $fname ) {
1127 return $this->wanCache->getWithSetCallback(
1128 $this->bigMessageCacheKey( $hash, $dbKey ),
1129 $this->mExpiry,
1130 function ( $oldValue, &$ttl, &$setOpts ) use ( $dbKey, $code, $fname ) {
1131 // Try loading the message from the database
1132 $dbr = wfGetDB( DB_REPLICA );
1133 $setOpts += Database::getCacheSetOptions( $dbr );
1134 // Use newKnownCurrent() to avoid querying revision/user tables
1135 $title = Title::makeTitle( NS_MEDIAWIKI, $dbKey );
1136 $revision = Revision::newKnownCurrent( $dbr, $title );
1137 if ( !$revision ) {
1138 // The wiki doesn't have a local override page. Cache absence with normal TTL.
1139 // When overrides are created, self::replace() takes care of the cache.
1140 return '!NONEXISTENT';
1141 }
1142 $content = $revision->getContent();
1143 if ( $content ) {
1144 $message = $this->getMessageTextFromContent( $content );
1145 } else {
1146 LoggerFactory::getInstance( 'MessageCache' )->warning(
1147 $fname . ': failed to load page text for \'{titleKey}\'',
1148 [ 'titleKey' => $dbKey, 'code' => $code ]
1149 );
1150 $message = null;
1151 }
1152
1153 if ( !is_string( $message ) ) {
1154 // Revision failed to load Content, or Content is incompatible with wikitext.
1155 // Possibly a temporary loading failure.
1156 $ttl = 5;
1157
1158 return '!NONEXISTENT';
1159 }
1160
1161 return ' ' . $message;
1162 }
1163 );
1164 }
1165 );
1166 }
1167
1168 /**
1169 * @param string $message
1170 * @param bool $interface
1171 * @param Language|null $language
1172 * @param Title|null $title
1173 * @return string
1174 */
1175 public function transform( $message, $interface = false, $language = null, $title = null ) {
1176 // Avoid creating parser if nothing to transform
1177 if ( strpos( $message, '{{' ) === false ) {
1178 return $message;
1179 }
1180
1181 if ( $this->mInParser ) {
1182 return $message;
1183 }
1184
1185 $parser = $this->getParser();
1186 if ( $parser ) {
1187 $popts = $this->getParserOptions();
1188 $popts->setInterfaceMessage( $interface );
1189 $popts->setTargetLanguage( $language );
1190
1191 $userlang = $popts->setUserLang( $language );
1192 $this->mInParser = true;
1193 $message = $parser->transformMsg( $message, $popts, $title );
1194 $this->mInParser = false;
1195 $popts->setUserLang( $userlang );
1196 }
1197
1198 return $message;
1199 }
1200
1201 /**
1202 * @return Parser
1203 */
1204 public function getParser() {
1205 global $wgParserConf;
1206 if ( !$this->mParser ) {
1207 $parser = MediaWikiServices::getInstance()->getParser();
1208 # Do some initialisation so that we don't have to do it twice
1209 $parser->firstCallInit();
1210 # Clone it and store it
1211 $class = $wgParserConf['class'];
1212 if ( $class == ParserDiffTest::class ) {
1213 # Uncloneable
1214 $this->mParser = new $class( $wgParserConf );
1215 } else {
1216 $this->mParser = clone $parser;
1217 }
1218 }
1219
1220 return $this->mParser;
1221 }
1222
1223 /**
1224 * @param string $text
1225 * @param Title|null $title
1226 * @param bool $linestart Whether or not this is at the start of a line
1227 * @param bool $interface Whether this is an interface message
1228 * @param Language|string|null $language Language code
1229 * @return ParserOutput|string
1230 */
1231 public function parse( $text, $title = null, $linestart = true,
1232 $interface = false, $language = null
1233 ) {
1234 global $wgTitle;
1235
1236 if ( $this->mInParser ) {
1237 return htmlspecialchars( $text );
1238 }
1239
1240 $parser = $this->getParser();
1241 $popts = $this->getParserOptions();
1242 $popts->setInterfaceMessage( $interface );
1243
1244 if ( is_string( $language ) ) {
1245 $language = Language::factory( $language );
1246 }
1247 $popts->setTargetLanguage( $language );
1248
1249 if ( !$title || !$title instanceof Title ) {
1250 wfDebugLog( 'GlobalTitleFail', __METHOD__ . ' called by ' .
1251 wfGetAllCallers( 6 ) . ' with no title set.' );
1252 $title = $wgTitle;
1253 }
1254 // Sometimes $wgTitle isn't set either...
1255 if ( !$title ) {
1256 # It's not uncommon having a null $wgTitle in scripts. See r80898
1257 # Create a ghost title in such case
1258 $title = Title::makeTitle( NS_SPECIAL, 'Badtitle/title not set in ' . __METHOD__ );
1259 }
1260
1261 $this->mInParser = true;
1262 $res = $parser->parse( $text, $title, $popts, $linestart );
1263 $this->mInParser = false;
1264
1265 return $res;
1266 }
1267
1268 public function disable() {
1269 $this->mDisable = true;
1270 }
1271
1272 public function enable() {
1273 $this->mDisable = false;
1274 }
1275
1276 /**
1277 * Whether DB/cache usage is disabled for determining messages
1278 *
1279 * If so, this typically indicates either:
1280 * - a) load() failed to find a cached copy nor query the DB
1281 * - b) we are in a special context or error mode that cannot use the DB
1282 * If the DB is ignored, any derived HTML output or cached objects may be wrong.
1283 * To avoid long-term cache pollution, TTLs can be adjusted accordingly.
1284 *
1285 * @return bool
1286 * @since 1.27
1287 */
1288 public function isDisabled() {
1289 return $this->mDisable;
1290 }
1291
1292 /**
1293 * Clear all stored messages in global and local cache
1294 *
1295 * Mainly used after a mass rebuild
1296 */
1297 public function clear() {
1298 $langs = Language::fetchLanguageNames( null, 'mw' );
1299 foreach ( array_keys( $langs ) as $code ) {
1300 $this->wanCache->touchCheckKey( $this->getCheckKey( $code ) );
1301 }
1302 $this->cache->clear();
1303 }
1304
1305 /**
1306 * @param string $key
1307 * @return array
1308 */
1309 public function figureMessage( $key ) {
1310 global $wgLanguageCode;
1311
1312 $pieces = explode( '/', $key );
1313 if ( count( $pieces ) < 2 ) {
1314 return [ $key, $wgLanguageCode ];
1315 }
1316
1317 $lang = array_pop( $pieces );
1318 if ( !Language::fetchLanguageName( $lang, null, 'mw' ) ) {
1319 return [ $key, $wgLanguageCode ];
1320 }
1321
1322 $message = implode( '/', $pieces );
1323
1324 return [ $message, $lang ];
1325 }
1326
1327 /**
1328 * Get all message keys stored in the message cache for a given language.
1329 * If $code is the content language code, this will return all message keys
1330 * for which MediaWiki:msgkey exists. If $code is another language code, this
1331 * will ONLY return message keys for which MediaWiki:msgkey/$code exists.
1332 * @param string $code Language code
1333 * @return array Array of message keys (strings)
1334 */
1335 public function getAllMessageKeys( $code ) {
1336 $this->load( $code );
1337 if ( !$this->cache->has( $code ) ) {
1338 // Apparently load() failed
1339 return null;
1340 }
1341 // Remove administrative keys
1342 $cache = $this->cache->get( $code );
1343 unset( $cache['VERSION'] );
1344 unset( $cache['EXPIRY'] );
1345 unset( $cache['EXCESSIVE'] );
1346 // Remove any !NONEXISTENT keys
1347 $cache = array_diff( $cache, [ '!NONEXISTENT' ] );
1348
1349 // Keys may appear with a capital first letter. lcfirst them.
1350 return array_map( [ $this->contLang, 'lcfirst' ], array_keys( $cache ) );
1351 }
1352
1353 /**
1354 * Purge message caches when a MediaWiki: page is created, updated, or deleted
1355 *
1356 * @param Title $title Message page title
1357 * @param Content|null $content New content for edit/create, null on deletion
1358 * @since 1.29
1359 */
1360 public function updateMessageOverride( Title $title, Content $content = null ) {
1361 $msgText = $this->getMessageTextFromContent( $content );
1362 if ( $msgText === null ) {
1363 $msgText = false; // treat as not existing
1364 }
1365
1366 $this->replace( $title->getDBkey(), $msgText );
1367
1368 if ( $this->contLang->hasVariants() ) {
1369 $this->contLang->updateConversionTable( $title );
1370 }
1371 }
1372
1373 /**
1374 * @param string $code Language code
1375 * @return string WAN cache key usable as a "check key" against language page edits
1376 */
1377 public function getCheckKey( $code ) {
1378 return $this->wanCache->makeKey( 'messages', $code );
1379 }
1380
1381 /**
1382 * @param Content|null $content Content or null if the message page does not exist
1383 * @return string|bool|null Returns false if $content is null and null on error
1384 */
1385 private function getMessageTextFromContent( Content $content = null ) {
1386 // @TODO: could skip pseudo-messages like js/css here, based on content model
1387 if ( $content ) {
1388 // Message page exists...
1389 // XXX: Is this the right way to turn a Content object into a message?
1390 // NOTE: $content is typically either WikitextContent, JavaScriptContent or
1391 // CssContent. MessageContent is *not* used for storing messages, it's
1392 // only used for wrapping them when needed.
1393 $msgText = $content->getWikitextForTransclusion();
1394 if ( $msgText === false || $msgText === null ) {
1395 // This might be due to some kind of misconfiguration...
1396 $msgText = null;
1397 LoggerFactory::getInstance( 'MessageCache' )->warning(
1398 __METHOD__ . ": message content doesn't provide wikitext "
1399 . "(content model: " . $content->getModel() . ")" );
1400 }
1401 } else {
1402 // Message page does not exist...
1403 $msgText = false;
1404 }
1405
1406 return $msgText;
1407 }
1408
1409 /**
1410 * @param string $hash Hash for this version of the entire key/value overrides map
1411 * @param string $title Message cache key with initial uppercase letter
1412 * @return string
1413 */
1414 private function bigMessageCacheKey( $hash, $title ) {
1415 return $this->wanCache->makeKey( 'messages-big', $hash, $title );
1416 }
1417 }