Re-apply Vitaliy Filippov's patch from Bug #29283 with a modification
[lhc/web/wiklou.git] / includes / LocalisationCache.php
1 <?php
2
3 define( 'MW_LC_VERSION', 2 );
4
5 /**
6 * Class for caching the contents of localisation files, Messages*.php
7 * and *.i18n.php.
8 *
9 * An instance of this class is available using Language::getLocalisationCache().
10 *
11 * The values retrieved from here are merged, containing items from extension
12 * files, core messages files and the language fallback sequence (e.g. zh-cn ->
13 * zh-hans -> en ). Some common errors are corrected, for example namespace
14 * names with spaces instead of underscores, but heavyweight processing, such
15 * as grammatical transformation, is done by the caller.
16 */
17 class LocalisationCache {
18 /** Configuration associative array */
19 var $conf;
20
21 /**
22 * True if recaching should only be done on an explicit call to recache().
23 * Setting this reduces the overhead of cache freshness checking, which
24 * requires doing a stat() for every extension i18n file.
25 */
26 var $manualRecache = false;
27
28 /**
29 * True to treat all files as expired until they are regenerated by this object.
30 */
31 var $forceRecache = false;
32
33 /**
34 * The cache data. 3-d array, where the first key is the language code,
35 * the second key is the item key e.g. 'messages', and the third key is
36 * an item specific subkey index. Some items are not arrays and so for those
37 * items, there are no subkeys.
38 */
39 var $data = array();
40
41 /**
42 * The persistent store object. An instance of LCStore.
43 *
44 * @var LCStore
45 */
46 var $store;
47
48 /**
49 * A 2-d associative array, code/key, where presence indicates that the item
50 * is loaded. Value arbitrary.
51 *
52 * For split items, if set, this indicates that all of the subitems have been
53 * loaded.
54 */
55 var $loadedItems = array();
56
57 /**
58 * A 3-d associative array, code/key/subkey, where presence indicates that
59 * the subitem is loaded. Only used for the split items, i.e. messages.
60 */
61 var $loadedSubitems = array();
62
63 /**
64 * An array where presence of a key indicates that that language has been
65 * initialised. Initialisation includes checking for cache expiry and doing
66 * any necessary updates.
67 */
68 var $initialisedLangs = array();
69
70 /**
71 * An array mapping non-existent pseudo-languages to fallback languages. This
72 * is filled by initShallowFallback() when data is requested from a language
73 * that lacks a Messages*.php file.
74 */
75 var $shallowFallbacks = array();
76
77 /**
78 * An array where the keys are codes that have been recached by this instance.
79 */
80 var $recachedLangs = array();
81
82 /**
83 * All item keys
84 */
85 static public $allKeys = array(
86 'fallback', 'namespaceNames', 'bookstoreList',
87 'magicWords', 'messages', 'rtl', 'capitalizeAllNouns', 'digitTransformTable',
88 'separatorTransformTable', 'fallback8bitEncoding', 'linkPrefixExtension',
89 'linkTrail', 'namespaceAliases',
90 'dateFormats', 'datePreferences', 'datePreferenceMigrationMap',
91 'defaultDateFormat', 'extraUserToggles', 'specialPageAliases',
92 'imageFiles', 'preloadedMessages', 'namespaceGenderAliases',
93 'digitGroupingPattern'
94 );
95
96 /**
97 * Keys for items which consist of associative arrays, which may be merged
98 * by a fallback sequence.
99 */
100 static public $mergeableMapKeys = array( 'messages', 'namespaceNames',
101 'dateFormats', 'imageFiles', 'preloadedMessages',
102 );
103
104 /**
105 * Keys for items which are a numbered array.
106 */
107 static public $mergeableListKeys = array( 'extraUserToggles' );
108
109 /**
110 * Keys for items which contain an array of arrays of equivalent aliases
111 * for each subitem. The aliases may be merged by a fallback sequence.
112 */
113 static public $mergeableAliasListKeys = array( 'specialPageAliases' );
114
115 /**
116 * Keys for items which contain an associative array, and may be merged if
117 * the primary value contains the special array key "inherit". That array
118 * key is removed after the first merge.
119 */
120 static public $optionalMergeKeys = array( 'bookstoreList' );
121
122 /**
123 * Keys for items that are formatted like $magicWords
124 */
125 static public $magicWordKeys = array( 'magicWords' );
126
127 /**
128 * Keys for items where the subitems are stored in the backend separately.
129 */
130 static public $splitKeys = array( 'messages' );
131
132 /**
133 * Keys which are loaded automatically by initLanguage()
134 */
135 static public $preloadedKeys = array( 'dateFormats', 'namespaceNames' );
136
137 var $mergeableKeys = null;
138
139 /**
140 * Constructor.
141 * For constructor parameters, see the documentation in DefaultSettings.php
142 * for $wgLocalisationCacheConf.
143 *
144 * @param $conf Array
145 */
146 function __construct( $conf ) {
147 global $wgCacheDirectory;
148
149 $this->conf = $conf;
150 $storeConf = array();
151 if ( !empty( $conf['storeClass'] ) ) {
152 $storeClass = $conf['storeClass'];
153 } else {
154 switch ( $conf['store'] ) {
155 case 'files':
156 case 'file':
157 $storeClass = 'LCStore_CDB';
158 break;
159 case 'db':
160 $storeClass = 'LCStore_DB';
161 break;
162 case 'accel':
163 $storeClass = 'LCStore_Accel';
164 break;
165 case 'detect':
166 try {
167 $c = wfGetCache( CACHE_ACCEL );
168 $storeClass = 'LCStore_Accel';
169 } catch( Exception $c ) {
170 $storeClass = $wgCacheDirectory ? 'LCStore_CDB' : 'LCStore_DB';
171 }
172 break;
173 default:
174 throw new MWException(
175 'Please set $wgLocalisationCacheConf[\'store\'] to something sensible.' );
176 }
177 }
178
179 wfDebug( get_class( $this ) . ": using store $storeClass\n" );
180 if ( !empty( $conf['storeDirectory'] ) ) {
181 $storeConf['directory'] = $conf['storeDirectory'];
182 }
183
184 $this->store = new $storeClass( $storeConf );
185 foreach ( array( 'manualRecache', 'forceRecache' ) as $var ) {
186 if ( isset( $conf[$var] ) ) {
187 $this->$var = $conf[$var];
188 }
189 }
190 }
191
192 /**
193 * Returns true if the given key is mergeable, that is, if it is an associative
194 * array which can be merged through a fallback sequence.
195 * @param $key
196 * @return bool
197 */
198 public function isMergeableKey( $key ) {
199 if ( !isset( $this->mergeableKeys ) ) {
200 $this->mergeableKeys = array_flip( array_merge(
201 self::$mergeableMapKeys,
202 self::$mergeableListKeys,
203 self::$mergeableAliasListKeys,
204 self::$optionalMergeKeys,
205 self::$magicWordKeys
206 ) );
207 }
208 return isset( $this->mergeableKeys[$key] );
209 }
210
211 /**
212 * Get a cache item.
213 *
214 * Warning: this may be slow for split items (messages), since it will
215 * need to fetch all of the subitems from the cache individually.
216 * @param $code
217 * @param $key
218 * @return string
219 */
220 public function getItem( $code, $key ) {
221 if ( !isset( $this->loadedItems[$code][$key] ) ) {
222 wfProfileIn( __METHOD__.'-load' );
223 $this->loadItem( $code, $key );
224 wfProfileOut( __METHOD__.'-load' );
225 }
226
227 if ( $key === 'fallback' && isset( $this->shallowFallbacks[$code] ) ) {
228 return $this->shallowFallbacks[$code];
229 }
230
231 return $this->data[$code][$key];
232 }
233
234 /**
235 * Get a subitem, for instance a single message for a given language.
236 * @param $code
237 * @param $key
238 * @param $subkey
239 * @return null
240 */
241 public function getSubitem( $code, $key, $subkey ) {
242 if ( !isset( $this->loadedSubitems[$code][$key][$subkey] ) &&
243 !isset( $this->loadedItems[$code][$key] ) ) {
244 wfProfileIn( __METHOD__.'-load' );
245 $this->loadSubitem( $code, $key, $subkey );
246 wfProfileOut( __METHOD__.'-load' );
247 }
248
249 if ( isset( $this->data[$code][$key][$subkey] ) ) {
250 return $this->data[$code][$key][$subkey];
251 } else {
252 return null;
253 }
254 }
255
256 /**
257 * Get the list of subitem keys for a given item.
258 *
259 * This is faster than array_keys($lc->getItem(...)) for the items listed in
260 * self::$splitKeys.
261 *
262 * Will return null if the item is not found, or false if the item is not an
263 * array.
264 * @param $code
265 * @param $key
266 * @return bool|null|string
267 */
268 public function getSubitemList( $code, $key ) {
269 if ( in_array( $key, self::$splitKeys ) ) {
270 return $this->getSubitem( $code, 'list', $key );
271 } else {
272 $item = $this->getItem( $code, $key );
273 if ( is_array( $item ) ) {
274 return array_keys( $item );
275 } else {
276 return false;
277 }
278 }
279 }
280
281 /**
282 * Load an item into the cache.
283 * @param $code
284 * @param $key
285 */
286 protected function loadItem( $code, $key ) {
287 if ( !isset( $this->initialisedLangs[$code] ) ) {
288 $this->initLanguage( $code );
289 }
290
291 // Check to see if initLanguage() loaded it for us
292 if ( isset( $this->loadedItems[$code][$key] ) ) {
293 return;
294 }
295
296 if ( isset( $this->shallowFallbacks[$code] ) ) {
297 $this->loadItem( $this->shallowFallbacks[$code], $key );
298 return;
299 }
300
301 if ( in_array( $key, self::$splitKeys ) ) {
302 $subkeyList = $this->getSubitem( $code, 'list', $key );
303 foreach ( $subkeyList as $subkey ) {
304 if ( isset( $this->data[$code][$key][$subkey] ) ) {
305 continue;
306 }
307 $this->data[$code][$key][$subkey] = $this->getSubitem( $code, $key, $subkey );
308 }
309 } else {
310 $this->data[$code][$key] = $this->store->get( $code, $key );
311 }
312
313 $this->loadedItems[$code][$key] = true;
314 }
315
316 /**
317 * Load a subitem into the cache
318 * @param $code
319 * @param $key
320 * @param $subkey
321 * @return
322 */
323 protected function loadSubitem( $code, $key, $subkey ) {
324 if ( !in_array( $key, self::$splitKeys ) ) {
325 $this->loadItem( $code, $key );
326 return;
327 }
328
329 if ( !isset( $this->initialisedLangs[$code] ) ) {
330 $this->initLanguage( $code );
331 }
332
333 // Check to see if initLanguage() loaded it for us
334 if ( isset( $this->loadedItems[$code][$key] ) ||
335 isset( $this->loadedSubitems[$code][$key][$subkey] ) ) {
336 return;
337 }
338
339 if ( isset( $this->shallowFallbacks[$code] ) ) {
340 $this->loadSubitem( $this->shallowFallbacks[$code], $key, $subkey );
341 return;
342 }
343
344 $value = $this->store->get( $code, "$key:$subkey" );
345 $this->data[$code][$key][$subkey] = $value;
346 $this->loadedSubitems[$code][$key][$subkey] = true;
347 }
348
349 /**
350 * Returns true if the cache identified by $code is missing or expired.
351 */
352 public function isExpired( $code ) {
353 if ( $this->forceRecache && !isset( $this->recachedLangs[$code] ) ) {
354 wfDebug( __METHOD__."($code): forced reload\n" );
355 return true;
356 }
357
358 $deps = $this->store->get( $code, 'deps' );
359 $keys = $this->store->get( $code, 'list', 'messages' );
360 // 'list:messages' sometimes expires separately of 'deps' in LCStore_Accel
361 if ( $deps === null || $keys === null ) {
362 wfDebug( __METHOD__."($code): cache missing, need to make one\n" );
363 return true;
364 }
365
366 foreach ( $deps as $dep ) {
367 // Because we're unserializing stuff from cache, we
368 // could receive objects of classes that don't exist
369 // anymore (e.g. uninstalled extensions)
370 // When this happens, always expire the cache
371 if ( !$dep instanceof CacheDependency || $dep->isExpired() ) {
372 wfDebug( __METHOD__."($code): cache for $code expired due to " .
373 get_class( $dep ) . "\n" );
374 return true;
375 }
376 }
377
378 return false;
379 }
380
381 /**
382 * Initialise a language in this object. Rebuild the cache if necessary.
383 * @param $code
384 */
385 protected function initLanguage( $code ) {
386 if ( isset( $this->initialisedLangs[$code] ) ) {
387 return;
388 }
389
390 $this->initialisedLangs[$code] = true;
391
392 # If the code is of the wrong form for a Messages*.php file, do a shallow fallback
393 if ( !Language::isValidBuiltInCode( $code ) ) {
394 $this->initShallowFallback( $code, 'en' );
395 return;
396 }
397
398 # Recache the data if necessary
399 if ( !$this->manualRecache && $this->isExpired( $code ) ) {
400 if ( file_exists( Language::getMessagesFileName( $code ) ) ) {
401 $this->recache( $code );
402 } elseif ( $code === 'en' ) {
403 throw new MWException( 'MessagesEn.php is missing.' );
404 } else {
405 $this->initShallowFallback( $code, 'en' );
406 }
407 return;
408 }
409
410 # Preload some stuff
411 $preload = $this->getItem( $code, 'preload' );
412 if ( $preload === null ) {
413 if ( $this->manualRecache ) {
414 // No Messages*.php file. Do shallow fallback to en.
415 if ( $code === 'en' ) {
416 throw new MWException( 'No localisation cache found for English. ' .
417 'Please run maintenance/rebuildLocalisationCache.php.' );
418 }
419 $this->initShallowFallback( $code, 'en' );
420 return;
421 } else {
422 throw new MWException( 'Invalid or missing localisation cache.' );
423 }
424 }
425 $this->data[$code] = $preload;
426 foreach ( $preload as $key => $item ) {
427 if ( in_array( $key, self::$splitKeys ) ) {
428 foreach ( $item as $subkey => $subitem ) {
429 $this->loadedSubitems[$code][$key][$subkey] = true;
430 }
431 } else {
432 $this->loadedItems[$code][$key] = true;
433 }
434 }
435 }
436
437 /**
438 * Create a fallback from one language to another, without creating a
439 * complete persistent cache.
440 * @param $primaryCode
441 * @param $fallbackCode
442 */
443 public function initShallowFallback( $primaryCode, $fallbackCode ) {
444 $this->data[$primaryCode] =& $this->data[$fallbackCode];
445 $this->loadedItems[$primaryCode] =& $this->loadedItems[$fallbackCode];
446 $this->loadedSubitems[$primaryCode] =& $this->loadedSubitems[$fallbackCode];
447 $this->shallowFallbacks[$primaryCode] = $fallbackCode;
448 }
449
450 /**
451 * Read a PHP file containing localisation data.
452 * @param $_fileName
453 * @param $_fileType
454 * @return array
455 */
456 protected function readPHPFile( $_fileName, $_fileType ) {
457 // Disable APC caching
458 $_apcEnabled = ini_set( 'apc.cache_by_default', '0' );
459 include( $_fileName );
460 ini_set( 'apc.cache_by_default', $_apcEnabled );
461
462 if ( $_fileType == 'core' || $_fileType == 'extension' ) {
463 $data = compact( self::$allKeys );
464 } elseif ( $_fileType == 'aliases' ) {
465 $data = compact( 'aliases' );
466 } else {
467 throw new MWException( __METHOD__.": Invalid file type: $_fileType" );
468 }
469
470 return $data;
471 }
472
473 /**
474 * Merge two localisation values, a primary and a fallback, overwriting the
475 * primary value in place.
476 * @param $key
477 * @param $value
478 * @param $fallbackValue
479 */
480 protected function mergeItem( $key, &$value, $fallbackValue ) {
481 if ( !is_null( $value ) ) {
482 if ( !is_null( $fallbackValue ) ) {
483 if ( in_array( $key, self::$mergeableMapKeys ) ) {
484 $value = $value + $fallbackValue;
485 } elseif ( in_array( $key, self::$mergeableListKeys ) ) {
486 $value = array_unique( array_merge( $fallbackValue, $value ) );
487 } elseif ( in_array( $key, self::$mergeableAliasListKeys ) ) {
488 $value = array_merge_recursive( $value, $fallbackValue );
489 } elseif ( in_array( $key, self::$optionalMergeKeys ) ) {
490 if ( !empty( $value['inherit'] ) ) {
491 $value = array_merge( $fallbackValue, $value );
492 }
493
494 if ( isset( $value['inherit'] ) ) {
495 unset( $value['inherit'] );
496 }
497 } elseif ( in_array( $key, self::$magicWordKeys ) ) {
498 $this->mergeMagicWords( $value, $fallbackValue );
499 }
500 }
501 } else {
502 $value = $fallbackValue;
503 }
504 }
505
506 /**
507 * @param $value
508 * @param $fallbackValue
509 */
510 protected function mergeMagicWords( &$value, $fallbackValue ) {
511 foreach ( $fallbackValue as $magicName => $fallbackInfo ) {
512 if ( !isset( $value[$magicName] ) ) {
513 $value[$magicName] = $fallbackInfo;
514 } else {
515 $oldSynonyms = array_slice( $fallbackInfo, 1 );
516 $newSynonyms = array_slice( $value[$magicName], 1 );
517 $synonyms = array_values( array_unique( array_merge(
518 $newSynonyms, $oldSynonyms ) ) );
519 $value[$magicName] = array_merge( array( $fallbackInfo[0] ), $synonyms );
520 }
521 }
522 }
523
524 /**
525 * Given an array mapping language code to localisation value, such as is
526 * found in extension *.i18n.php files, iterate through a fallback sequence
527 * to merge the given data with an existing primary value.
528 *
529 * Returns true if any data from the extension array was used, false
530 * otherwise.
531 * @param $codeSequence
532 * @param $key
533 * @param $value
534 * @param $fallbackValue
535 * @return bool
536 */
537 protected function mergeExtensionItem( $codeSequence, $key, &$value, $fallbackValue ) {
538 $used = false;
539 foreach ( $codeSequence as $code ) {
540 if ( isset( $fallbackValue[$code] ) ) {
541 $this->mergeItem( $key, $value, $fallbackValue[$code] );
542 $used = true;
543 }
544 }
545
546 return $used;
547 }
548
549 /**
550 * Load localisation data for a given language for both core and extensions
551 * and save it to the persistent cache store and the process cache
552 * @param $code
553 */
554 public function recache( $code ) {
555 global $wgExtensionMessagesFiles, $wgExtensionAliasesFiles;
556 wfProfileIn( __METHOD__ );
557
558 if ( !$code ) {
559 throw new MWException( "Invalid language code requested" );
560 }
561 $this->recachedLangs[$code] = true;
562
563 # Initial values
564 $initialData = array_combine(
565 self::$allKeys,
566 array_fill( 0, count( self::$allKeys ), null ) );
567 $coreData = $initialData;
568 $deps = array();
569
570 # Load the primary localisation from the source file
571 $fileName = Language::getMessagesFileName( $code );
572 if ( !file_exists( $fileName ) ) {
573 wfDebug( __METHOD__.": no localisation file for $code, using fallback to en\n" );
574 $coreData['fallback'] = 'en';
575 } else {
576 $deps[] = new FileDependency( $fileName );
577 $data = $this->readPHPFile( $fileName, 'core' );
578 wfDebug( __METHOD__.": got localisation for $code from source\n" );
579
580 # Merge primary localisation
581 foreach ( $data as $key => $value ) {
582 $this->mergeItem( $key, $coreData[$key], $value );
583 }
584
585 }
586
587 # Fill in the fallback if it's not there already
588 if ( is_null( $coreData['fallback'] ) ) {
589 $coreData['fallback'] = $code === 'en' ? false : 'en';
590 }
591
592 if ( $coreData['fallback'] === false ) {
593 $coreData['fallbackSequence'] = array();
594 } else {
595 $coreData['fallbackSequence'] = array_map( 'trim', explode( ',', $coreData['fallback'] ) );
596 $len = count( $coreData['fallbackSequence'] );
597
598 # Ensure that the sequence ends at en
599 if ( $coreData['fallbackSequence'][$len - 1] !== 'en' ) {
600 $coreData['fallbackSequence'][] = 'en';
601 }
602
603 # Load the fallback localisation item by item and merge it
604 foreach ( $coreData['fallbackSequence'] as $fbCode ) {
605 # Load the secondary localisation from the source file to
606 # avoid infinite cycles on cyclic fallbacks
607 $fbFilename = Language::getMessagesFileName( $fbCode );
608
609 if ( !file_exists( $fbFilename ) ) {
610 continue;
611 }
612
613 $deps[] = new FileDependency( $fbFilename );
614 $fbData = $this->readPHPFile( $fbFilename, 'core' );
615
616 foreach ( self::$allKeys as $key ) {
617 if ( !isset( $fbData[$key] ) ) {
618 continue;
619 }
620
621 if ( is_null( $coreData[$key] ) || $this->isMergeableKey( $key ) ) {
622 $this->mergeItem( $key, $coreData[$key], $fbData[$key] );
623 }
624 }
625 }
626 }
627
628 $codeSequence = array_merge( array( $code ), $coreData['fallbackSequence'] );
629
630 # Load the extension localisations
631 # This is done after the core because we know the fallback sequence now.
632 # But it has a higher precedence for merging so that we can support things
633 # like site-specific message overrides.
634 $allData = $initialData;
635 foreach ( $wgExtensionMessagesFiles as $fileName ) {
636 $data = $this->readPHPFile( $fileName, 'extension' );
637 $used = false;
638
639 foreach ( $data as $key => $item ) {
640 if( $this->mergeExtensionItem( $codeSequence, $key, $allData[$key], $item ) ) {
641 $used = true;
642 }
643 }
644
645 if ( $used ) {
646 $deps[] = new FileDependency( $fileName );
647 }
648 }
649
650 # Load deprecated $wgExtensionAliasesFiles
651 foreach ( $wgExtensionAliasesFiles as $fileName ) {
652 $data = $this->readPHPFile( $fileName, 'aliases' );
653
654 if ( !isset( $data['aliases'] ) ) {
655 continue;
656 }
657
658 $used = $this->mergeExtensionItem( $codeSequence, 'specialPageAliases',
659 $allData['specialPageAliases'], $data['aliases'] );
660
661 if ( $used ) {
662 $deps[] = new FileDependency( $fileName );
663 }
664 }
665
666 # Merge core data into extension data
667 foreach ( $coreData as $key => $item ) {
668 $this->mergeItem( $key, $allData[$key], $item );
669 }
670
671 # Add cache dependencies for any referenced globals
672 $deps['wgExtensionMessagesFiles'] = new GlobalDependency( 'wgExtensionMessagesFiles' );
673 $deps['wgExtensionAliasesFiles'] = new GlobalDependency( 'wgExtensionAliasesFiles' );
674 $deps['version'] = new ConstantDependency( 'MW_LC_VERSION' );
675
676 # Add dependencies to the cache entry
677 $allData['deps'] = $deps;
678
679 # Replace spaces with underscores in namespace names
680 $allData['namespaceNames'] = str_replace( ' ', '_', $allData['namespaceNames'] );
681
682 # And do the same for special page aliases. $page is an array.
683 foreach ( $allData['specialPageAliases'] as &$page ) {
684 $page = str_replace( ' ', '_', $page );
685 }
686 # Decouple the reference to prevent accidental damage
687 unset($page);
688
689 # Set the list keys
690 $allData['list'] = array();
691 foreach ( self::$splitKeys as $key ) {
692 $allData['list'][$key] = array_keys( $allData[$key] );
693 }
694
695 # Run hooks
696 wfRunHooks( 'LocalisationCacheRecache', array( $this, $code, &$allData ) );
697
698 if ( is_null( $allData['namespaceNames'] ) ) {
699 throw new MWException( __METHOD__.': Localisation data failed sanity check! ' .
700 'Check that your languages/messages/MessagesEn.php file is intact.' );
701 }
702
703 # Set the preload key
704 $allData['preload'] = $this->buildPreload( $allData );
705
706 # Save to the process cache and register the items loaded
707 $this->data[$code] = $allData;
708 foreach ( $allData as $key => $item ) {
709 $this->loadedItems[$code][$key] = true;
710 }
711
712 # Save to the persistent cache
713 $this->store->startWrite( $code );
714 foreach ( $allData as $key => $value ) {
715 if ( in_array( $key, self::$splitKeys ) ) {
716 foreach ( $value as $subkey => $subvalue ) {
717 $this->store->set( "$key:$subkey", $subvalue );
718 }
719 } else {
720 $this->store->set( $key, $value );
721 }
722 }
723 $this->store->finishWrite();
724
725 # Clear out the MessageBlobStore
726 # HACK: If using a null (i.e. disabled) storage backend, we
727 # can't write to the MessageBlobStore either
728 if ( !$this->store instanceof LCStore_Null ) {
729 MessageBlobStore::clear();
730 }
731
732 wfProfileOut( __METHOD__ );
733 }
734
735 /**
736 * Build the preload item from the given pre-cache data.
737 *
738 * The preload item will be loaded automatically, improving performance
739 * for the commonly-requested items it contains.
740 * @param $data
741 * @return array
742 */
743 protected function buildPreload( $data ) {
744 $preload = array( 'messages' => array() );
745 foreach ( self::$preloadedKeys as $key ) {
746 $preload[$key] = $data[$key];
747 }
748
749 foreach ( $data['preloadedMessages'] as $subkey ) {
750 if ( isset( $data['messages'][$subkey] ) ) {
751 $subitem = $data['messages'][$subkey];
752 } else {
753 $subitem = null;
754 }
755 $preload['messages'][$subkey] = $subitem;
756 }
757
758 return $preload;
759 }
760
761 /**
762 * Unload the data for a given language from the object cache.
763 * Reduces memory usage.
764 * @param $code
765 */
766 public function unload( $code ) {
767 unset( $this->data[$code] );
768 unset( $this->loadedItems[$code] );
769 unset( $this->loadedSubitems[$code] );
770 unset( $this->initialisedLangs[$code] );
771
772 foreach ( $this->shallowFallbacks as $shallowCode => $fbCode ) {
773 if ( $fbCode === $code ) {
774 $this->unload( $shallowCode );
775 }
776 }
777 }
778
779 /**
780 * Unload all data
781 */
782 public function unloadAll() {
783 foreach ( $this->initialisedLangs as $lang => $unused ) {
784 $this->unload( $lang );
785 }
786 }
787
788 /**
789 * Disable the storage backend
790 */
791 public function disableBackend() {
792 $this->store = new LCStore_Null;
793 $this->manualRecache = false;
794 }
795 }
796
797 /**
798 * Interface for the persistence layer of LocalisationCache.
799 *
800 * The persistence layer is two-level hierarchical cache. The first level
801 * is the language, the second level is the item or subitem.
802 *
803 * Since the data for a whole language is rebuilt in one operation, it needs
804 * to have a fast and atomic method for deleting or replacing all of the
805 * current data for a given language. The interface reflects this bulk update
806 * operation. Callers writing to the cache must first call startWrite(), then
807 * will call set() a couple of thousand times, then will call finishWrite()
808 * to commit the operation. When finishWrite() is called, the cache is
809 * expected to delete all data previously stored for that language.
810 *
811 * The values stored are PHP variables suitable for serialize(). Implementations
812 * of LCStore are responsible for serializing and unserializing.
813 */
814 interface LCStore {
815 /**
816 * Get a value.
817 * @param $code Language code
818 * @param $key Cache key
819 */
820 function get( $code, $key );
821
822 /**
823 * Start a write transaction.
824 * @param $code Language code
825 */
826 function startWrite( $code );
827
828 /**
829 * Finish a write transaction.
830 */
831 function finishWrite();
832
833 /**
834 * Set a key to a given value. startWrite() must be called before this
835 * is called, and finishWrite() must be called afterwards.
836 * @param $key
837 * @param $value
838 */
839 function set( $key, $value );
840 }
841
842 /**
843 * LCStore implementation which uses PHP accelerator to store data.
844 * This will work if one of XCache, eAccelerator, or APC cacher is configured.
845 * (See ObjectCache.php)
846 */
847 class LCStore_Accel implements LCStore {
848 var $currentLang;
849 var $keys;
850
851 public function __construct() {
852 $this->cache = wfGetCache( CACHE_ACCEL );
853 }
854
855 public function get( $code, $key ) {
856 $k = wfMemcKey( 'l10n', $code, 'k', $key );
857 $r = $this->cache->get( $k );
858 if ( $r === false ) return null;
859 return $r;
860 }
861
862 public function startWrite( $code ) {
863 $k = wfMemcKey( 'l10n', $code, 'l' );
864 $keys = $this->cache->get( $k );
865 if ( $keys ) {
866 foreach ( $keys as $k ) {
867 $this->cache->delete( $k );
868 }
869 }
870 $this->currentLang = $code;
871 $this->keys = array();
872 }
873
874 public function finishWrite() {
875 if ( $this->currentLang ) {
876 $k = wfMemcKey( 'l10n', $this->currentLang, 'l' );
877 $this->cache->set( $k, array_keys( $this->keys ) );
878 }
879 $this->currentLang = null;
880 $this->keys = array();
881 }
882
883 public function set( $key, $value ) {
884 if ( $this->currentLang ) {
885 $k = wfMemcKey( 'l10n', $this->currentLang, 'k', $key );
886 $this->keys[$k] = true;
887 $this->cache->set( $k, $value );
888 }
889 }
890 }
891
892 /**
893 * LCStore implementation which uses the standard DB functions to store data.
894 * This will work on any MediaWiki installation.
895 */
896 class LCStore_DB implements LCStore {
897 var $currentLang;
898 var $writesDone = false;
899
900 /**
901 * @var DatabaseBase
902 */
903 var $dbw;
904 var $batch;
905 var $readOnly = false;
906
907 public function get( $code, $key ) {
908 if ( $this->writesDone ) {
909 $db = wfGetDB( DB_MASTER );
910 } else {
911 $db = wfGetDB( DB_SLAVE );
912 }
913 $row = $db->selectRow( 'l10n_cache', array( 'lc_value' ),
914 array( 'lc_lang' => $code, 'lc_key' => $key ), __METHOD__ );
915 if ( $row ) {
916 return unserialize( $row->lc_value );
917 } else {
918 return null;
919 }
920 }
921
922 public function startWrite( $code ) {
923 if ( $this->readOnly ) {
924 return;
925 }
926
927 if ( !$code ) {
928 throw new MWException( __METHOD__.": Invalid language \"$code\"" );
929 }
930
931 $this->dbw = wfGetDB( DB_MASTER );
932 try {
933 $this->dbw->begin();
934 $this->dbw->delete( 'l10n_cache', array( 'lc_lang' => $code ), __METHOD__ );
935 } catch ( DBQueryError $e ) {
936 if ( $this->dbw->wasReadOnlyError() ) {
937 $this->readOnly = true;
938 $this->dbw->rollback();
939 $this->dbw->ignoreErrors( false );
940 return;
941 } else {
942 throw $e;
943 }
944 }
945
946 $this->currentLang = $code;
947 $this->batch = array();
948 }
949
950 public function finishWrite() {
951 if ( $this->readOnly ) {
952 return;
953 }
954
955 if ( $this->batch ) {
956 $this->dbw->insert( 'l10n_cache', $this->batch, __METHOD__ );
957 }
958
959 $this->dbw->commit();
960 $this->currentLang = null;
961 $this->dbw = null;
962 $this->batch = array();
963 $this->writesDone = true;
964 }
965
966 public function set( $key, $value ) {
967 if ( $this->readOnly ) {
968 return;
969 }
970
971 if ( is_null( $this->currentLang ) ) {
972 throw new MWException( __CLASS__.': must call startWrite() before calling set()' );
973 }
974
975 $this->batch[] = array(
976 'lc_lang' => $this->currentLang,
977 'lc_key' => $key,
978 'lc_value' => serialize( $value ) );
979
980 if ( count( $this->batch ) >= 100 ) {
981 $this->dbw->insert( 'l10n_cache', $this->batch, __METHOD__ );
982 $this->batch = array();
983 }
984 }
985 }
986
987 /**
988 * LCStore implementation which stores data as a collection of CDB files in the
989 * directory given by $wgCacheDirectory. If $wgCacheDirectory is not set, this
990 * will throw an exception.
991 *
992 * Profiling indicates that on Linux, this implementation outperforms MySQL if
993 * the directory is on a local filesystem and there is ample kernel cache
994 * space. The performance advantage is greater when the DBA extension is
995 * available than it is with the PHP port.
996 *
997 * See Cdb.php and http://cr.yp.to/cdb.html
998 */
999 class LCStore_CDB implements LCStore {
1000 var $readers, $writer, $currentLang, $directory;
1001
1002 function __construct( $conf = array() ) {
1003 global $wgCacheDirectory;
1004
1005 if ( isset( $conf['directory'] ) ) {
1006 $this->directory = $conf['directory'];
1007 } else {
1008 $this->directory = $wgCacheDirectory;
1009 }
1010 }
1011
1012 public function get( $code, $key ) {
1013 if ( !isset( $this->readers[$code] ) ) {
1014 $fileName = $this->getFileName( $code );
1015
1016 if ( !file_exists( $fileName ) ) {
1017 $this->readers[$code] = false;
1018 } else {
1019 $this->readers[$code] = CdbReader::open( $fileName );
1020 }
1021 }
1022
1023 if ( !$this->readers[$code] ) {
1024 return null;
1025 } else {
1026 $value = $this->readers[$code]->get( $key );
1027
1028 if ( $value === false ) {
1029 return null;
1030 }
1031 return unserialize( $value );
1032 }
1033 }
1034
1035 public function startWrite( $code ) {
1036 if ( !file_exists( $this->directory ) ) {
1037 if ( !wfMkdirParents( $this->directory, null, __METHOD__ ) ) {
1038 throw new MWException( "Unable to create the localisation store " .
1039 "directory \"{$this->directory}\"" );
1040 }
1041 }
1042
1043 // Close reader to stop permission errors on write
1044 if( !empty($this->readers[$code]) ) {
1045 $this->readers[$code]->close();
1046 }
1047
1048 $this->writer = CdbWriter::open( $this->getFileName( $code ) );
1049 $this->currentLang = $code;
1050 }
1051
1052 public function finishWrite() {
1053 // Close the writer
1054 $this->writer->close();
1055 $this->writer = null;
1056 unset( $this->readers[$this->currentLang] );
1057 $this->currentLang = null;
1058 }
1059
1060 public function set( $key, $value ) {
1061 if ( is_null( $this->writer ) ) {
1062 throw new MWException( __CLASS__.': must call startWrite() before calling set()' );
1063 }
1064 $this->writer->set( $key, serialize( $value ) );
1065 }
1066
1067 protected function getFileName( $code ) {
1068 if ( !$code || strpos( $code, '/' ) !== false ) {
1069 throw new MWException( __METHOD__.": Invalid language \"$code\"" );
1070 }
1071 return "{$this->directory}/l10n_cache-$code.cdb";
1072 }
1073 }
1074
1075 /**
1076 * Null store backend, used to avoid DB errors during install
1077 */
1078 class LCStore_Null implements LCStore {
1079 public function get( $code, $key ) {
1080 return null;
1081 }
1082
1083 public function startWrite( $code ) {}
1084 public function finishWrite() {}
1085 public function set( $key, $value ) {}
1086 }
1087
1088 /**
1089 * A localisation cache optimised for loading large amounts of data for many
1090 * languages. Used by rebuildLocalisationCache.php.
1091 */
1092 class LocalisationCache_BulkLoad extends LocalisationCache {
1093 /**
1094 * A cache of the contents of data files.
1095 * Core files are serialized to avoid using ~1GB of RAM during a recache.
1096 */
1097 var $fileCache = array();
1098
1099 /**
1100 * Most recently used languages. Uses the linked-list aspect of PHP hashtables
1101 * to keep the most recently used language codes at the end of the array, and
1102 * the language codes that are ready to be deleted at the beginning.
1103 */
1104 var $mruLangs = array();
1105
1106 /**
1107 * Maximum number of languages that may be loaded into $this->data
1108 */
1109 var $maxLoadedLangs = 10;
1110
1111 /**
1112 * @param $fileName
1113 * @param $fileType
1114 * @return array|mixed
1115 */
1116 protected function readPHPFile( $fileName, $fileType ) {
1117 $serialize = $fileType === 'core';
1118 if ( !isset( $this->fileCache[$fileName][$fileType] ) ) {
1119 $data = parent::readPHPFile( $fileName, $fileType );
1120
1121 if ( $serialize ) {
1122 $encData = serialize( $data );
1123 } else {
1124 $encData = $data;
1125 }
1126
1127 $this->fileCache[$fileName][$fileType] = $encData;
1128
1129 return $data;
1130 } elseif ( $serialize ) {
1131 return unserialize( $this->fileCache[$fileName][$fileType] );
1132 } else {
1133 return $this->fileCache[$fileName][$fileType];
1134 }
1135 }
1136
1137 /**
1138 * @param $code
1139 * @param $key
1140 * @return string
1141 */
1142 public function getItem( $code, $key ) {
1143 unset( $this->mruLangs[$code] );
1144 $this->mruLangs[$code] = true;
1145 return parent::getItem( $code, $key );
1146 }
1147
1148 /**
1149 * @param $code
1150 * @param $key
1151 * @param $subkey
1152 * @return
1153 */
1154 public function getSubitem( $code, $key, $subkey ) {
1155 unset( $this->mruLangs[$code] );
1156 $this->mruLangs[$code] = true;
1157 return parent::getSubitem( $code, $key, $subkey );
1158 }
1159
1160 /**
1161 * @param $code
1162 */
1163 public function recache( $code ) {
1164 parent::recache( $code );
1165 unset( $this->mruLangs[$code] );
1166 $this->mruLangs[$code] = true;
1167 $this->trimCache();
1168 }
1169
1170 /**
1171 * @param $code
1172 */
1173 public function unload( $code ) {
1174 unset( $this->mruLangs[$code] );
1175 parent::unload( $code );
1176 }
1177
1178 /**
1179 * Unload cached languages until there are less than $this->maxLoadedLangs
1180 */
1181 protected function trimCache() {
1182 while ( count( $this->data ) > $this->maxLoadedLangs && count( $this->mruLangs ) ) {
1183 reset( $this->mruLangs );
1184 $code = key( $this->mruLangs );
1185 wfDebug( __METHOD__.": unloading $code\n" );
1186 $this->unload( $code );
1187 }
1188 }
1189 }