ResourceLoader: Fail less hard when JSON serialization of config fails
[lhc/web/wiklou.git] / includes / resourceloader / ResourceLoader.php
1 <?php
2 /**
3 * Base class for resource loading system.
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 * @author Roan Kattouw
22 * @author Trevor Parscal
23 */
24
25 use MediaWiki\MediaWikiServices;
26 use Psr\Log\LoggerAwareInterface;
27 use Psr\Log\LoggerInterface;
28 use Psr\Log\NullLogger;
29 use Wikimedia\Rdbms\DBConnectionError;
30 use Wikimedia\WrappedString;
31
32 /**
33 * Dynamic JavaScript and CSS resource loading system.
34 *
35 * Most of the documentation is on the MediaWiki documentation wiki starting at:
36 * https://www.mediawiki.org/wiki/ResourceLoader
37 */
38 class ResourceLoader implements LoggerAwareInterface {
39 /** @var int */
40 const CACHE_VERSION = 8;
41
42 /** @var bool */
43 protected static $debugMode = null;
44
45 /**
46 * Module name/ResourceLoaderModule object pairs
47 * @var array
48 */
49 protected $modules = [];
50
51 /**
52 * Associative array mapping module name to info associative array
53 * @var array
54 */
55 protected $moduleInfos = [];
56
57 /** @var Config $config */
58 protected $config;
59
60 /**
61 * Associative array mapping framework ids to a list of names of test suite modules
62 * like [ 'qunit' => [ 'mediawiki.tests.qunit.suites', 'ext.foo.tests', ... ], ... ]
63 * @var array
64 */
65 protected $testModuleNames = [];
66
67 /**
68 * E.g. [ 'source-id' => 'http://.../load.php' ]
69 * @var array
70 */
71 protected $sources = [];
72
73 /**
74 * Errors accumulated during current respond() call.
75 * @var array
76 */
77 protected $errors = [];
78
79 /**
80 * List of extra HTTP response headers provided by loaded modules.
81 *
82 * Populated by makeModuleResponse().
83 *
84 * @var array
85 */
86 protected $extraHeaders = [];
87
88 /**
89 * @var MessageBlobStore
90 */
91 protected $blobStore;
92
93 /**
94 * @var LoggerInterface
95 */
96 private $logger;
97
98 /** @var string JavaScript / CSS pragma to disable minification. **/
99 const FILTER_NOMIN = '/*@nomin*/';
100
101 /**
102 * Load information stored in the database about modules.
103 *
104 * This method grabs modules dependencies from the database and updates modules
105 * objects.
106 *
107 * This is not inside the module code because it is much faster to
108 * request all of the information at once than it is to have each module
109 * requests its own information. This sacrifice of modularity yields a substantial
110 * performance improvement.
111 *
112 * @param array $moduleNames List of module names to preload information for
113 * @param ResourceLoaderContext $context Context to load the information within
114 */
115 public function preloadModuleInfo( array $moduleNames, ResourceLoaderContext $context ) {
116 if ( !$moduleNames ) {
117 // Or else Database*::select() will explode, plus it's cheaper!
118 return;
119 }
120 $dbr = wfGetDB( DB_REPLICA );
121 $skin = $context->getSkin();
122 $lang = $context->getLanguage();
123
124 // Batched version of ResourceLoaderModule::getFileDependencies
125 $vary = "$skin|$lang";
126 $res = $dbr->select( 'module_deps', [ 'md_module', 'md_deps' ], [
127 'md_module' => $moduleNames,
128 'md_skin' => $vary,
129 ], __METHOD__
130 );
131
132 // Prime in-object cache for file dependencies
133 $modulesWithDeps = [];
134 foreach ( $res as $row ) {
135 $module = $this->getModule( $row->md_module );
136 if ( $module ) {
137 $module->setFileDependencies( $context, ResourceLoaderModule::expandRelativePaths(
138 json_decode( $row->md_deps, true )
139 ) );
140 $modulesWithDeps[] = $row->md_module;
141 }
142 }
143 // Register the absence of a dependency row too
144 foreach ( array_diff( $moduleNames, $modulesWithDeps ) as $name ) {
145 $module = $this->getModule( $name );
146 if ( $module ) {
147 $this->getModule( $name )->setFileDependencies( $context, [] );
148 }
149 }
150
151 // Batched version of ResourceLoaderWikiModule::getTitleInfo
152 ResourceLoaderWikiModule::preloadTitleInfo( $context, $dbr, $moduleNames );
153
154 // Prime in-object cache for message blobs for modules with messages
155 $modules = [];
156 foreach ( $moduleNames as $name ) {
157 $module = $this->getModule( $name );
158 if ( $module && $module->getMessages() ) {
159 $modules[$name] = $module;
160 }
161 }
162 $store = $this->getMessageBlobStore();
163 $blobs = $store->getBlobs( $modules, $lang );
164 foreach ( $blobs as $name => $blob ) {
165 $modules[$name]->setMessageBlob( $blob, $lang );
166 }
167 }
168
169 /**
170 * Run JavaScript or CSS data through a filter, caching the filtered result for future calls.
171 *
172 * Available filters are:
173 *
174 * - minify-js \see JavaScriptMinifier::minify
175 * - minify-css \see CSSMin::minify
176 *
177 * If $data is empty, only contains whitespace or the filter was unknown,
178 * $data is returned unmodified.
179 *
180 * @param string $filter Name of filter to run
181 * @param string $data Text to filter, such as JavaScript or CSS text
182 * @param array $options Keys:
183 * - (bool) cache: Whether to allow caching this data. Default: true.
184 * @return string Filtered data, or a comment containing an error message
185 */
186 public static function filter( $filter, $data, array $options = [] ) {
187 if ( strpos( $data, self::FILTER_NOMIN ) !== false ) {
188 return $data;
189 }
190
191 if ( isset( $options['cache'] ) && $options['cache'] === false ) {
192 return self::applyFilter( $filter, $data );
193 }
194
195 $stats = MediaWikiServices::getInstance()->getStatsdDataFactory();
196 $cache = ObjectCache::getLocalServerInstance( CACHE_ANYTHING );
197
198 $key = $cache->makeGlobalKey(
199 'resourceloader',
200 'filter',
201 $filter,
202 self::CACHE_VERSION,
203 md5( $data )
204 );
205
206 $result = $cache->get( $key );
207 if ( $result === false ) {
208 $stats->increment( "resourceloader_cache.$filter.miss" );
209 $result = self::applyFilter( $filter, $data );
210 $cache->set( $key, $result, 24 * 3600 );
211 } else {
212 $stats->increment( "resourceloader_cache.$filter.hit" );
213 }
214 if ( $result === null ) {
215 // Cached failure
216 $result = $data;
217 }
218
219 return $result;
220 }
221
222 private static function applyFilter( $filter, $data ) {
223 $data = trim( $data );
224 if ( $data ) {
225 try {
226 $data = ( $filter === 'minify-css' )
227 ? CSSMin::minify( $data )
228 : JavaScriptMinifier::minify( $data );
229 } catch ( Exception $e ) {
230 MWExceptionHandler::logException( $e );
231 return null;
232 }
233 }
234 return $data;
235 }
236
237 /**
238 * Register core modules and runs registration hooks.
239 * @param Config|null $config [optional]
240 * @param LoggerInterface|null $logger [optional]
241 */
242 public function __construct( Config $config = null, LoggerInterface $logger = null ) {
243 global $IP;
244
245 $this->logger = $logger ?: new NullLogger();
246
247 if ( !$config ) {
248 $this->logger->debug( __METHOD__ . ' was called without providing a Config instance' );
249 $config = MediaWikiServices::getInstance()->getMainConfig();
250 }
251 $this->config = $config;
252
253 // Add 'local' source first
254 $this->addSource( 'local', $config->get( 'LoadScript' ) );
255
256 // Add other sources
257 $this->addSource( $config->get( 'ResourceLoaderSources' ) );
258
259 // Register core modules
260 $this->register( include "$IP/resources/Resources.php" );
261 // Register extension modules
262 $this->register( $config->get( 'ResourceModules' ) );
263
264 // Avoid PHP 7.1 warning from passing $this by reference
265 $rl = $this;
266 Hooks::run( 'ResourceLoaderRegisterModules', [ &$rl ] );
267
268 if ( $config->get( 'EnableJavaScriptTest' ) === true ) {
269 $this->registerTestModules();
270 }
271
272 $this->setMessageBlobStore( new MessageBlobStore( $this, $this->logger ) );
273 }
274
275 /**
276 * @return Config
277 */
278 public function getConfig() {
279 return $this->config;
280 }
281
282 /**
283 * @since 1.26
284 * @param LoggerInterface $logger
285 */
286 public function setLogger( LoggerInterface $logger ) {
287 $this->logger = $logger;
288 }
289
290 /**
291 * @since 1.27
292 * @return LoggerInterface
293 */
294 public function getLogger() {
295 return $this->logger;
296 }
297
298 /**
299 * @since 1.26
300 * @return MessageBlobStore
301 */
302 public function getMessageBlobStore() {
303 return $this->blobStore;
304 }
305
306 /**
307 * @since 1.25
308 * @param MessageBlobStore $blobStore
309 */
310 public function setMessageBlobStore( MessageBlobStore $blobStore ) {
311 $this->blobStore = $blobStore;
312 }
313
314 /**
315 * Register a module with the ResourceLoader system.
316 *
317 * @param mixed $name Name of module as a string or List of name/object pairs as an array
318 * @param array|null $info Module info array. For backwards compatibility with 1.17alpha,
319 * this may also be a ResourceLoaderModule object. Optional when using
320 * multiple-registration calling style.
321 * @throws MWException If a duplicate module registration is attempted
322 * @throws MWException If a module name contains illegal characters (pipes or commas)
323 * @throws MWException If something other than a ResourceLoaderModule is being registered
324 * @return bool False if there were any errors, in which case one or more modules were
325 * not registered
326 */
327 public function register( $name, $info = null ) {
328 $moduleSkinStyles = $this->config->get( 'ResourceModuleSkinStyles' );
329
330 // Allow multiple modules to be registered in one call
331 $registrations = is_array( $name ) ? $name : [ $name => $info ];
332 foreach ( $registrations as $name => $info ) {
333 // Warn on duplicate registrations
334 if ( isset( $this->moduleInfos[$name] ) ) {
335 // A module has already been registered by this name
336 $this->logger->warning(
337 'ResourceLoader duplicate registration warning. ' .
338 'Another module has already been registered as ' . $name
339 );
340 }
341
342 // Check $name for validity
343 if ( !self::isValidModuleName( $name ) ) {
344 throw new MWException( "ResourceLoader module name '$name' is invalid, "
345 . "see ResourceLoader::isValidModuleName()" );
346 }
347
348 // Attach module
349 if ( $info instanceof ResourceLoaderModule ) {
350 $this->moduleInfos[$name] = [ 'object' => $info ];
351 $info->setName( $name );
352 $this->modules[$name] = $info;
353 } elseif ( is_array( $info ) ) {
354 // New calling convention
355 $this->moduleInfos[$name] = $info;
356 } else {
357 throw new MWException(
358 'ResourceLoader module info type error for module \'' . $name .
359 '\': expected ResourceLoaderModule or array (got: ' . gettype( $info ) . ')'
360 );
361 }
362
363 // Last-minute changes
364
365 // Apply custom skin-defined styles to existing modules.
366 if ( $this->isFileModule( $name ) ) {
367 foreach ( $moduleSkinStyles as $skinName => $skinStyles ) {
368 // If this module already defines skinStyles for this skin, ignore $wgResourceModuleSkinStyles.
369 if ( isset( $this->moduleInfos[$name]['skinStyles'][$skinName] ) ) {
370 continue;
371 }
372
373 // If $name is preceded with a '+', the defined style files will be added to 'default'
374 // skinStyles, otherwise 'default' will be ignored as it normally would be.
375 if ( isset( $skinStyles[$name] ) ) {
376 $paths = (array)$skinStyles[$name];
377 $styleFiles = [];
378 } elseif ( isset( $skinStyles['+' . $name] ) ) {
379 $paths = (array)$skinStyles['+' . $name];
380 $styleFiles = isset( $this->moduleInfos[$name]['skinStyles']['default'] ) ?
381 (array)$this->moduleInfos[$name]['skinStyles']['default'] :
382 [];
383 } else {
384 continue;
385 }
386
387 // Add new file paths, remapping them to refer to our directories and not use settings
388 // from the module we're modifying, which come from the base definition.
389 list( $localBasePath, $remoteBasePath ) =
390 ResourceLoaderFileModule::extractBasePaths( $skinStyles );
391
392 foreach ( $paths as $path ) {
393 $styleFiles[] = new ResourceLoaderFilePath( $path, $localBasePath, $remoteBasePath );
394 }
395
396 $this->moduleInfos[$name]['skinStyles'][$skinName] = $styleFiles;
397 }
398 }
399 }
400 }
401
402 public function registerTestModules() {
403 global $IP;
404
405 if ( $this->config->get( 'EnableJavaScriptTest' ) !== true ) {
406 throw new MWException( 'Attempt to register JavaScript test modules '
407 . 'but <code>$wgEnableJavaScriptTest</code> is false. '
408 . 'Edit your <code>LocalSettings.php</code> to enable it.' );
409 }
410
411 // Get core test suites
412 $testModules = [];
413 $testModules['qunit'] = [];
414 // Get other test suites (e.g. from extensions)
415 // Avoid PHP 7.1 warning from passing $this by reference
416 $rl = $this;
417 Hooks::run( 'ResourceLoaderTestModules', [ &$testModules, &$rl ] );
418
419 // Add the testrunner (which configures QUnit) to the dependencies.
420 // Since it must be ready before any of the test suites are executed.
421 foreach ( $testModules['qunit'] as &$module ) {
422 // Make sure all test modules are top-loading so that when QUnit starts
423 // on document-ready, it will run once and finish. If some tests arrive
424 // later (possibly after QUnit has already finished) they will be ignored.
425 $module['position'] = 'top';
426 $module['dependencies'][] = 'test.mediawiki.qunit.testrunner';
427 }
428
429 $testModules['qunit'] =
430 ( include "$IP/tests/qunit/QUnitTestResources.php" ) + $testModules['qunit'];
431
432 foreach ( $testModules as $id => $names ) {
433 // Register test modules
434 $this->register( $testModules[$id] );
435
436 // Keep track of their names so that they can be loaded together
437 $this->testModuleNames[$id] = array_keys( $testModules[$id] );
438 }
439 }
440
441 /**
442 * Add a foreign source of modules.
443 *
444 * Source IDs are typically the same as the Wiki ID or database name (e.g. lowercase a-z).
445 *
446 * @param array|string $id Source ID (string), or [ id1 => loadUrl, id2 => loadUrl, ... ]
447 * @param string|array|null $loadUrl load.php url (string), or array with loadUrl key for
448 * backwards-compatibility.
449 * @throws MWException
450 */
451 public function addSource( $id, $loadUrl = null ) {
452 // Allow multiple sources to be registered in one call
453 if ( is_array( $id ) ) {
454 foreach ( $id as $key => $value ) {
455 $this->addSource( $key, $value );
456 }
457 return;
458 }
459
460 // Disallow duplicates
461 if ( isset( $this->sources[$id] ) ) {
462 throw new MWException(
463 'ResourceLoader duplicate source addition error. ' .
464 'Another source has already been registered as ' . $id
465 );
466 }
467
468 // Pre 1.24 backwards-compatibility
469 if ( is_array( $loadUrl ) ) {
470 if ( !isset( $loadUrl['loadScript'] ) ) {
471 throw new MWException(
472 __METHOD__ . ' was passed an array with no "loadScript" key.'
473 );
474 }
475
476 $loadUrl = $loadUrl['loadScript'];
477 }
478
479 $this->sources[$id] = $loadUrl;
480 }
481
482 /**
483 * Get a list of module names.
484 *
485 * @return array List of module names
486 */
487 public function getModuleNames() {
488 return array_keys( $this->moduleInfos );
489 }
490
491 /**
492 * Get a list of test module names for one (or all) frameworks.
493 *
494 * If the given framework id is unknkown, or if the in-object variable is not an array,
495 * then it will return an empty array.
496 *
497 * @param string $framework Get only the test module names for one
498 * particular framework (optional)
499 * @return array
500 */
501 public function getTestModuleNames( $framework = 'all' ) {
502 /** @todo api siteinfo prop testmodulenames modulenames */
503 if ( $framework == 'all' ) {
504 return $this->testModuleNames;
505 } elseif ( isset( $this->testModuleNames[$framework] )
506 && is_array( $this->testModuleNames[$framework] )
507 ) {
508 return $this->testModuleNames[$framework];
509 } else {
510 return [];
511 }
512 }
513
514 /**
515 * Check whether a ResourceLoader module is registered
516 *
517 * @since 1.25
518 * @param string $name
519 * @return bool
520 */
521 public function isModuleRegistered( $name ) {
522 return isset( $this->moduleInfos[$name] );
523 }
524
525 /**
526 * Get the ResourceLoaderModule object for a given module name.
527 *
528 * If an array of module parameters exists but a ResourceLoaderModule object has not
529 * yet been instantiated, this method will instantiate and cache that object such that
530 * subsequent calls simply return the same object.
531 *
532 * @param string $name Module name
533 * @return ResourceLoaderModule|null If module has been registered, return a
534 * ResourceLoaderModule instance. Otherwise, return null.
535 */
536 public function getModule( $name ) {
537 if ( !isset( $this->modules[$name] ) ) {
538 if ( !isset( $this->moduleInfos[$name] ) ) {
539 // No such module
540 return null;
541 }
542 // Construct the requested object
543 $info = $this->moduleInfos[$name];
544 /** @var ResourceLoaderModule $object */
545 if ( isset( $info['object'] ) ) {
546 // Object given in info array
547 $object = $info['object'];
548 } elseif ( isset( $info['factory'] ) ) {
549 $object = call_user_func( $info['factory'], $info );
550 $object->setConfig( $this->getConfig() );
551 $object->setLogger( $this->logger );
552 } else {
553 $class = $info['class'] ?? ResourceLoaderFileModule::class;
554 /** @var ResourceLoaderModule $object */
555 $object = new $class( $info );
556 $object->setConfig( $this->getConfig() );
557 $object->setLogger( $this->logger );
558 }
559 $object->setName( $name );
560 $this->modules[$name] = $object;
561 }
562
563 return $this->modules[$name];
564 }
565
566 /**
567 * Whether the module is a ResourceLoaderFileModule (including subclasses).
568 *
569 * @param string $name Module name
570 * @return bool
571 */
572 protected function isFileModule( $name ) {
573 if ( !isset( $this->moduleInfos[$name] ) ) {
574 return false;
575 }
576 $info = $this->moduleInfos[$name];
577 if ( isset( $info['object'] ) ) {
578 return false;
579 }
580 return (
581 // The implied default for 'class' is ResourceLoaderFileModule
582 !isset( $info['class'] ) ||
583 // Explicit default
584 $info['class'] === ResourceLoaderFileModule::class ||
585 is_subclass_of( $info['class'], ResourceLoaderFileModule::class )
586 );
587 }
588
589 /**
590 * Get the list of sources.
591 *
592 * @return array Like [ id => load.php url, ... ]
593 */
594 public function getSources() {
595 return $this->sources;
596 }
597
598 /**
599 * Get the URL to the load.php endpoint for the given
600 * ResourceLoader source
601 *
602 * @since 1.24
603 * @param string $source
604 * @throws MWException On an invalid $source name
605 * @return string
606 */
607 public function getLoadScript( $source ) {
608 if ( !isset( $this->sources[$source] ) ) {
609 throw new MWException( "The $source source was never registered in ResourceLoader." );
610 }
611 return $this->sources[$source];
612 }
613
614 /**
615 * @since 1.26
616 * @param string $value
617 * @return string Hash
618 */
619 public static function makeHash( $value ) {
620 $hash = hash( 'fnv132', $value );
621 return Wikimedia\base_convert( $hash, 16, 36, 7 );
622 }
623
624 /**
625 * Add an error to the 'errors' array and log it.
626 *
627 * @private For internal use by ResourceLoader and ResourceLoaderStartUpModule.
628 * @since 1.29
629 * @param Exception $e
630 * @param string $msg
631 * @param array $context
632 */
633 public function outputErrorAndLog( Exception $e, $msg, array $context = [] ) {
634 MWExceptionHandler::logException( $e );
635 $this->logger->warning(
636 $msg,
637 $context + [ 'exception' => $e ]
638 );
639 $this->errors[] = self::formatExceptionNoComment( $e );
640 }
641
642 /**
643 * Helper method to get and combine versions of multiple modules.
644 *
645 * @since 1.26
646 * @param ResourceLoaderContext $context
647 * @param string[] $moduleNames List of known module names
648 * @return string Hash
649 */
650 public function getCombinedVersion( ResourceLoaderContext $context, array $moduleNames ) {
651 if ( !$moduleNames ) {
652 return '';
653 }
654 $hashes = array_map( function ( $module ) use ( $context ) {
655 try {
656 return $this->getModule( $module )->getVersionHash( $context );
657 } catch ( Exception $e ) {
658 // If modules fail to compute a version, don't fail the request (T152266)
659 // and still compute versions of other modules.
660 $this->outputErrorAndLog( $e,
661 'Calculating version for "{module}" failed: {exception}',
662 [
663 'module' => $module,
664 ]
665 );
666 return '';
667 }
668 }, $moduleNames );
669 return self::makeHash( implode( '', $hashes ) );
670 }
671
672 /**
673 * Get the expected value of the 'version' query parameter.
674 *
675 * This is used by respond() to set a short Cache-Control header for requests with
676 * information newer than the current server has. This avoids pollution of edge caches.
677 * Typically during deployment. (T117587)
678 *
679 * This MUST match return value of `mw.loader#getCombinedVersion()` client-side.
680 *
681 * @since 1.28
682 * @param ResourceLoaderContext $context
683 * @return string Hash
684 */
685 public function makeVersionQuery( ResourceLoaderContext $context ) {
686 // As of MediaWiki 1.28, the server and client use the same algorithm for combining
687 // version hashes. There is no technical reason for this to be same, and for years the
688 // implementations differed. If getCombinedVersion in PHP (used for StartupModule and
689 // E-Tag headers) differs in the future from getCombinedVersion in JS (used for 'version'
690 // query parameter), then this method must continue to match the JS one.
691 $moduleNames = [];
692 foreach ( $context->getModules() as $name ) {
693 if ( !$this->getModule( $name ) ) {
694 // If a versioned request contains a missing module, the version is a mismatch
695 // as the client considered a module (and version) we don't have.
696 return '';
697 }
698 $moduleNames[] = $name;
699 }
700 return $this->getCombinedVersion( $context, $moduleNames );
701 }
702
703 /**
704 * Output a response to a load request, including the content-type header.
705 *
706 * @param ResourceLoaderContext $context Context in which a response should be formed
707 */
708 public function respond( ResourceLoaderContext $context ) {
709 // Buffer output to catch warnings. Normally we'd use ob_clean() on the
710 // top-level output buffer to clear warnings, but that breaks when ob_gzhandler
711 // is used: ob_clean() will clear the GZIP header in that case and it won't come
712 // back for subsequent output, resulting in invalid GZIP. So we have to wrap
713 // the whole thing in our own output buffer to be sure the active buffer
714 // doesn't use ob_gzhandler.
715 // See https://bugs.php.net/bug.php?id=36514
716 ob_start();
717
718 $this->measureResponseTime( RequestContext::getMain()->getTiming() );
719
720 // Find out which modules are missing and instantiate the others
721 $modules = [];
722 $missing = [];
723 foreach ( $context->getModules() as $name ) {
724 $module = $this->getModule( $name );
725 if ( $module ) {
726 // Do not allow private modules to be loaded from the web.
727 // This is a security issue, see T36907.
728 if ( $module->getGroup() === 'private' ) {
729 $this->logger->debug( "Request for private module '$name' denied" );
730 $this->errors[] = "Cannot show private module \"$name\"";
731 continue;
732 }
733 $modules[$name] = $module;
734 } else {
735 $missing[] = $name;
736 }
737 }
738
739 try {
740 // Preload for getCombinedVersion() and for batch makeModuleResponse()
741 $this->preloadModuleInfo( array_keys( $modules ), $context );
742 } catch ( Exception $e ) {
743 $this->outputErrorAndLog( $e, 'Preloading module info failed: {exception}' );
744 }
745
746 // Combine versions to propagate cache invalidation
747 $versionHash = '';
748 try {
749 $versionHash = $this->getCombinedVersion( $context, array_keys( $modules ) );
750 } catch ( Exception $e ) {
751 $this->outputErrorAndLog( $e, 'Calculating version hash failed: {exception}' );
752 }
753
754 // See RFC 2616 § 3.11 Entity Tags
755 // https://www.w3.org/Protocols/rfc2616/rfc2616-sec3.html#sec3.11
756 $etag = 'W/"' . $versionHash . '"';
757
758 // Try the client-side cache first
759 if ( $this->tryRespondNotModified( $context, $etag ) ) {
760 return; // output handled (buffers cleared)
761 }
762
763 // Use file cache if enabled and available...
764 if ( $this->config->get( 'UseFileCache' ) ) {
765 $fileCache = ResourceFileCache::newFromContext( $context );
766 if ( $this->tryRespondFromFileCache( $fileCache, $context, $etag ) ) {
767 return; // output handled
768 }
769 }
770
771 // Generate a response
772 $response = $this->makeModuleResponse( $context, $modules, $missing );
773
774 // Capture any PHP warnings from the output buffer and append them to the
775 // error list if we're in debug mode.
776 if ( $context->getDebug() ) {
777 $warnings = ob_get_contents();
778 if ( strlen( $warnings ) ) {
779 $this->errors[] = $warnings;
780 }
781 }
782
783 // Save response to file cache unless there are errors
784 if ( isset( $fileCache ) && !$this->errors && !count( $missing ) ) {
785 // Cache single modules and images...and other requests if there are enough hits
786 if ( ResourceFileCache::useFileCache( $context ) ) {
787 if ( $fileCache->isCacheWorthy() ) {
788 $fileCache->saveText( $response );
789 } else {
790 $fileCache->incrMissesRecent( $context->getRequest() );
791 }
792 }
793 }
794
795 $this->sendResponseHeaders( $context, $etag, (bool)$this->errors, $this->extraHeaders );
796
797 // Remove the output buffer and output the response
798 ob_end_clean();
799
800 if ( $context->getImageObj() && $this->errors ) {
801 // We can't show both the error messages and the response when it's an image.
802 $response = implode( "\n\n", $this->errors );
803 } elseif ( $this->errors ) {
804 $errorText = implode( "\n\n", $this->errors );
805 $errorResponse = self::makeComment( $errorText );
806 if ( $context->shouldIncludeScripts() ) {
807 $errorResponse .= 'if (window.console && console.error) {'
808 . Xml::encodeJsCall( 'console.error', [ $errorText ] )
809 . "}\n";
810 }
811
812 // Prepend error info to the response
813 $response = $errorResponse . $response;
814 }
815
816 $this->errors = [];
817 echo $response;
818 }
819
820 protected function measureResponseTime( Timing $timing ) {
821 DeferredUpdates::addCallableUpdate( function () use ( $timing ) {
822 $measure = $timing->measure( 'responseTime', 'requestStart', 'requestShutdown' );
823 if ( $measure !== false ) {
824 $stats = MediaWikiServices::getInstance()->getStatsdDataFactory();
825 $stats->timing( 'resourceloader.responseTime', $measure['duration'] * 1000 );
826 }
827 } );
828 }
829
830 /**
831 * Send main response headers to the client.
832 *
833 * Deals with Content-Type, CORS (for stylesheets), and caching.
834 *
835 * @param ResourceLoaderContext $context
836 * @param string $etag ETag header value
837 * @param bool $errors Whether there are errors in the response
838 * @param string[] $extra Array of extra HTTP response headers
839 * @return void
840 */
841 protected function sendResponseHeaders(
842 ResourceLoaderContext $context, $etag, $errors, array $extra = []
843 ) {
844 \MediaWiki\HeaderCallback::warnIfHeadersSent();
845 $rlMaxage = $this->config->get( 'ResourceLoaderMaxage' );
846 // Use a short cache expiry so that updates propagate to clients quickly, if:
847 // - No version specified (shared resources, e.g. stylesheets)
848 // - There were errors (recover quickly)
849 // - Version mismatch (T117587, T47877)
850 if ( is_null( $context->getVersion() )
851 || $errors
852 || $context->getVersion() !== $this->makeVersionQuery( $context )
853 ) {
854 $maxage = $rlMaxage['unversioned']['client'];
855 $smaxage = $rlMaxage['unversioned']['server'];
856 // If a version was specified we can use a longer expiry time since changing
857 // version numbers causes cache misses
858 } else {
859 $maxage = $rlMaxage['versioned']['client'];
860 $smaxage = $rlMaxage['versioned']['server'];
861 }
862 if ( $context->getImageObj() ) {
863 // Output different headers if we're outputting textual errors.
864 if ( $errors ) {
865 header( 'Content-Type: text/plain; charset=utf-8' );
866 } else {
867 $context->getImageObj()->sendResponseHeaders( $context );
868 }
869 } elseif ( $context->getOnly() === 'styles' ) {
870 header( 'Content-Type: text/css; charset=utf-8' );
871 header( 'Access-Control-Allow-Origin: *' );
872 } else {
873 header( 'Content-Type: text/javascript; charset=utf-8' );
874 }
875 // See RFC 2616 § 14.19 ETag
876 // https://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.19
877 header( 'ETag: ' . $etag );
878 if ( $context->getDebug() ) {
879 // Do not cache debug responses
880 header( 'Cache-Control: private, no-cache, must-revalidate' );
881 header( 'Pragma: no-cache' );
882 } else {
883 header( "Cache-Control: public, max-age=$maxage, s-maxage=$smaxage" );
884 $exp = min( $maxage, $smaxage );
885 header( 'Expires: ' . wfTimestamp( TS_RFC2822, $exp + time() ) );
886 }
887 foreach ( $extra as $header ) {
888 header( $header );
889 }
890 }
891
892 /**
893 * Respond with HTTP 304 Not Modified if appropiate.
894 *
895 * If there's an If-None-Match header, respond with a 304 appropriately
896 * and clear out the output buffer. If the client cache is too old then do nothing.
897 *
898 * @param ResourceLoaderContext $context
899 * @param string $etag ETag header value
900 * @return bool True if HTTP 304 was sent and output handled
901 */
902 protected function tryRespondNotModified( ResourceLoaderContext $context, $etag ) {
903 // See RFC 2616 § 14.26 If-None-Match
904 // https://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html#sec14.26
905 $clientKeys = $context->getRequest()->getHeader( 'If-None-Match', WebRequest::GETHEADER_LIST );
906 // Never send 304s in debug mode
907 if ( $clientKeys !== false && !$context->getDebug() && in_array( $etag, $clientKeys ) ) {
908 // There's another bug in ob_gzhandler (see also the comment at
909 // the top of this function) that causes it to gzip even empty
910 // responses, meaning it's impossible to produce a truly empty
911 // response (because the gzip header is always there). This is
912 // a problem because 304 responses have to be completely empty
913 // per the HTTP spec, and Firefox behaves buggily when they're not.
914 // See also https://bugs.php.net/bug.php?id=51579
915 // To work around this, we tear down all output buffering before
916 // sending the 304.
917 wfResetOutputBuffers( /* $resetGzipEncoding = */ true );
918
919 HttpStatus::header( 304 );
920
921 $this->sendResponseHeaders( $context, $etag, false );
922 return true;
923 }
924 return false;
925 }
926
927 /**
928 * Send out code for a response from file cache if possible.
929 *
930 * @param ResourceFileCache $fileCache Cache object for this request URL
931 * @param ResourceLoaderContext $context Context in which to generate a response
932 * @param string $etag ETag header value
933 * @return bool If this found a cache file and handled the response
934 */
935 protected function tryRespondFromFileCache(
936 ResourceFileCache $fileCache,
937 ResourceLoaderContext $context,
938 $etag
939 ) {
940 $rlMaxage = $this->config->get( 'ResourceLoaderMaxage' );
941 // Buffer output to catch warnings.
942 ob_start();
943 // Get the maximum age the cache can be
944 $maxage = is_null( $context->getVersion() )
945 ? $rlMaxage['unversioned']['server']
946 : $rlMaxage['versioned']['server'];
947 // Minimum timestamp the cache file must have
948 $good = $fileCache->isCacheGood( wfTimestamp( TS_MW, time() - $maxage ) );
949 if ( !$good ) {
950 try { // RL always hits the DB on file cache miss...
951 wfGetDB( DB_REPLICA );
952 } catch ( DBConnectionError $e ) { // ...check if we need to fallback to cache
953 $good = $fileCache->isCacheGood(); // cache existence check
954 }
955 }
956 if ( $good ) {
957 $ts = $fileCache->cacheTimestamp();
958 // Send content type and cache headers
959 $this->sendResponseHeaders( $context, $etag, false );
960 $response = $fileCache->fetchText();
961 // Capture any PHP warnings from the output buffer and append them to the
962 // response in a comment if we're in debug mode.
963 if ( $context->getDebug() ) {
964 $warnings = ob_get_contents();
965 if ( strlen( $warnings ) ) {
966 $response = self::makeComment( $warnings ) . $response;
967 }
968 }
969 // Remove the output buffer and output the response
970 ob_end_clean();
971 echo $response . "\n/* Cached {$ts} */";
972 return true; // cache hit
973 }
974 // Clear buffer
975 ob_end_clean();
976
977 return false; // cache miss
978 }
979
980 /**
981 * Generate a CSS or JS comment block.
982 *
983 * Only use this for public data, not error message details.
984 *
985 * @param string $text
986 * @return string
987 */
988 public static function makeComment( $text ) {
989 $encText = str_replace( '*/', '* /', $text );
990 return "/*\n$encText\n*/\n";
991 }
992
993 /**
994 * Handle exception display.
995 *
996 * @param Exception $e Exception to be shown to the user
997 * @return string Sanitized text in a CSS/JS comment that can be returned to the user
998 */
999 public static function formatException( $e ) {
1000 return self::makeComment( self::formatExceptionNoComment( $e ) );
1001 }
1002
1003 /**
1004 * Handle exception display.
1005 *
1006 * @since 1.25
1007 * @param Exception $e Exception to be shown to the user
1008 * @return string Sanitized text that can be returned to the user
1009 */
1010 protected static function formatExceptionNoComment( $e ) {
1011 global $wgShowExceptionDetails;
1012
1013 if ( !$wgShowExceptionDetails ) {
1014 return MWExceptionHandler::getPublicLogMessage( $e );
1015 }
1016
1017 return MWExceptionHandler::getLogMessage( $e ) .
1018 "\nBacktrace:\n" .
1019 MWExceptionHandler::getRedactedTraceAsString( $e );
1020 }
1021
1022 /**
1023 * Generate code for a response.
1024 *
1025 * Calling this method also populates the `errors` and `headers` members,
1026 * later used by respond().
1027 *
1028 * @param ResourceLoaderContext $context Context in which to generate a response
1029 * @param ResourceLoaderModule[] $modules List of module objects keyed by module name
1030 * @param string[] $missing List of requested module names that are unregistered (optional)
1031 * @return string Response data
1032 */
1033 public function makeModuleResponse( ResourceLoaderContext $context,
1034 array $modules, array $missing = []
1035 ) {
1036 $out = '';
1037 $states = [];
1038
1039 if ( !count( $modules ) && !count( $missing ) ) {
1040 return <<<MESSAGE
1041 /* This file is the Web entry point for MediaWiki's ResourceLoader:
1042 <https://www.mediawiki.org/wiki/ResourceLoader>. In this request,
1043 no modules were requested. Max made me put this here. */
1044 MESSAGE;
1045 }
1046
1047 $image = $context->getImageObj();
1048 if ( $image ) {
1049 $data = $image->getImageData( $context );
1050 if ( $data === false ) {
1051 $data = '';
1052 $this->errors[] = 'Image generation failed';
1053 }
1054 return $data;
1055 }
1056
1057 foreach ( $missing as $name ) {
1058 $states[$name] = 'missing';
1059 }
1060
1061 // Generate output
1062 $isRaw = false;
1063
1064 $filter = $context->getOnly() === 'styles' ? 'minify-css' : 'minify-js';
1065
1066 foreach ( $modules as $name => $module ) {
1067 try {
1068 $content = $module->getModuleContent( $context );
1069 $implementKey = $name . '@' . $module->getVersionHash( $context );
1070 $strContent = '';
1071
1072 if ( isset( $content['headers'] ) ) {
1073 $this->extraHeaders = array_merge( $this->extraHeaders, $content['headers'] );
1074 }
1075
1076 // Append output
1077 switch ( $context->getOnly() ) {
1078 case 'scripts':
1079 $scripts = $content['scripts'];
1080 if ( is_string( $scripts ) ) {
1081 // Load scripts raw...
1082 $strContent = $scripts;
1083 } elseif ( is_array( $scripts ) ) {
1084 // ...except when $scripts is an array of URLs
1085 $strContent = self::makeLoaderImplementScript( $implementKey, $scripts, [], [], [] );
1086 }
1087 break;
1088 case 'styles':
1089 $styles = $content['styles'];
1090 // We no longer separate into media, they are all combined now with
1091 // custom media type groups into @media .. {} sections as part of the css string.
1092 // Module returns either an empty array or a numerical array with css strings.
1093 $strContent = isset( $styles['css'] ) ? implode( '', $styles['css'] ) : '';
1094 break;
1095 default:
1096 $scripts = $content['scripts'] ?? '';
1097 if ( is_string( $scripts ) ) {
1098 if ( $name === 'site' || $name === 'user' ) {
1099 // Legacy scripts that run in the global scope without a closure.
1100 // mw.loader.implement will use globalEval if scripts is a string.
1101 // Minify manually here, because general response minification is
1102 // not effective due it being a string literal, not a function.
1103 if ( !self::inDebugMode() ) {
1104 $scripts = self::filter( 'minify-js', $scripts ); // T107377
1105 }
1106 } else {
1107 $scripts = new XmlJsCode( $scripts );
1108 }
1109 }
1110 $strContent = self::makeLoaderImplementScript(
1111 $implementKey,
1112 $scripts,
1113 $content['styles'] ?? [],
1114 isset( $content['messagesBlob'] ) ? new XmlJsCode( $content['messagesBlob'] ) : [],
1115 $content['templates'] ?? []
1116 );
1117 break;
1118 }
1119
1120 if ( !$context->getDebug() ) {
1121 $strContent = self::filter( $filter, $strContent );
1122 }
1123
1124 if ( $context->getOnly() === 'scripts' ) {
1125 // Use a linebreak between module scripts (T162719)
1126 $out .= $this->ensureNewline( $strContent );
1127 } else {
1128 $out .= $strContent;
1129 }
1130
1131 } catch ( Exception $e ) {
1132 $this->outputErrorAndLog( $e, 'Generating module package failed: {exception}' );
1133
1134 // Respond to client with error-state instead of module implementation
1135 $states[$name] = 'error';
1136 unset( $modules[$name] );
1137 }
1138 $isRaw |= $module->isRaw();
1139 }
1140
1141 // Update module states
1142 if ( $context->shouldIncludeScripts() && !$context->getRaw() && !$isRaw ) {
1143 if ( count( $modules ) && $context->getOnly() === 'scripts' ) {
1144 // Set the state of modules loaded as only scripts to ready as
1145 // they don't have an mw.loader.implement wrapper that sets the state
1146 foreach ( $modules as $name => $module ) {
1147 $states[$name] = 'ready';
1148 }
1149 }
1150
1151 // Set the state of modules we didn't respond to with mw.loader.implement
1152 if ( count( $states ) ) {
1153 $stateScript = self::makeLoaderStateScript( $states );
1154 if ( !$context->getDebug() ) {
1155 $stateScript = self::filter( 'minify-js', $stateScript );
1156 }
1157 // Use a linebreak between module script and state script (T162719)
1158 $out = $this->ensureNewline( $out ) . $stateScript;
1159 }
1160 } else {
1161 if ( $states ) {
1162 $this->errors[] = 'Problematic modules: '
1163 . self::encodeJsonForScript( $states );
1164 }
1165 }
1166
1167 return $out;
1168 }
1169
1170 /**
1171 * Ensure the string is either empty or ends in a line break
1172 * @param string $str
1173 * @return string
1174 */
1175 private function ensureNewline( $str ) {
1176 $end = substr( $str, -1 );
1177 if ( $end === false || $end === "\n" ) {
1178 return $str;
1179 }
1180 return $str . "\n";
1181 }
1182
1183 /**
1184 * Get names of modules that use a certain message.
1185 *
1186 * @param string $messageKey
1187 * @return array List of module names
1188 */
1189 public function getModulesByMessage( $messageKey ) {
1190 $moduleNames = [];
1191 foreach ( $this->getModuleNames() as $moduleName ) {
1192 $module = $this->getModule( $moduleName );
1193 if ( in_array( $messageKey, $module->getMessages() ) ) {
1194 $moduleNames[] = $moduleName;
1195 }
1196 }
1197 return $moduleNames;
1198 }
1199
1200 /**
1201 * Return JS code that calls mw.loader.implement with given module properties.
1202 *
1203 * @param string $name Module name or implement key (format "`[name]@[version]`")
1204 * @param XmlJsCode|array|string $scripts Code as XmlJsCode (to be wrapped in a closure),
1205 * list of URLs to JavaScript files, or a string of JavaScript for `$.globalEval`.
1206 * @param mixed $styles Array of CSS strings keyed by media type, or an array of lists of URLs
1207 * to CSS files keyed by media type
1208 * @param mixed $messages List of messages associated with this module. May either be an
1209 * associative array mapping message key to value, or a JSON-encoded message blob containing
1210 * the same data, wrapped in an XmlJsCode object.
1211 * @param array $templates Keys are name of templates and values are the source of
1212 * the template.
1213 * @throws MWException
1214 * @return string JavaScript code
1215 */
1216 protected static function makeLoaderImplementScript(
1217 $name, $scripts, $styles, $messages, $templates
1218 ) {
1219 if ( $scripts instanceof XmlJsCode ) {
1220 if ( self::inDebugMode() ) {
1221 $scripts = new XmlJsCode( "function ( $, jQuery, require, module ) {\n{$scripts->value}\n}" );
1222 } else {
1223 $scripts = new XmlJsCode( 'function($,jQuery,require,module){' . $scripts->value . '}' );
1224 }
1225 } elseif ( !is_string( $scripts ) && !is_array( $scripts ) ) {
1226 throw new MWException( 'Invalid scripts error. Array of URLs or string of code expected.' );
1227 }
1228 // mw.loader.implement requires 'styles', 'messages' and 'templates' to be objects (not
1229 // arrays). json_encode considers empty arrays to be numerical and outputs "[]" instead
1230 // of "{}". Force them to objects.
1231 $module = [
1232 $name,
1233 $scripts,
1234 (object)$styles,
1235 (object)$messages,
1236 (object)$templates,
1237 ];
1238 self::trimArray( $module );
1239
1240 return Xml::encodeJsCall( 'mw.loader.implement', $module, self::inDebugMode() );
1241 }
1242
1243 /**
1244 * Returns JS code which, when called, will register a given list of messages.
1245 *
1246 * @param mixed $messages Either an associative array mapping message key to value, or a
1247 * JSON-encoded message blob containing the same data, wrapped in an XmlJsCode object.
1248 * @return string JavaScript code
1249 */
1250 public static function makeMessageSetScript( $messages ) {
1251 return Xml::encodeJsCall(
1252 'mw.messages.set',
1253 [ (object)$messages ],
1254 self::inDebugMode()
1255 );
1256 }
1257
1258 /**
1259 * Combines an associative array mapping media type to CSS into a
1260 * single stylesheet with "@media" blocks.
1261 *
1262 * @param array $stylePairs Array keyed by media type containing (arrays of) CSS strings
1263 * @return array
1264 */
1265 public static function makeCombinedStyles( array $stylePairs ) {
1266 $out = [];
1267 foreach ( $stylePairs as $media => $styles ) {
1268 // ResourceLoaderFileModule::getStyle can return the styles
1269 // as a string or an array of strings. This is to allow separation in
1270 // the front-end.
1271 $styles = (array)$styles;
1272 foreach ( $styles as $style ) {
1273 $style = trim( $style );
1274 // Don't output an empty "@media print { }" block (T42498)
1275 if ( $style !== '' ) {
1276 // Transform the media type based on request params and config
1277 // The way that this relies on $wgRequest to propagate request params is slightly evil
1278 $media = OutputPage::transformCssMedia( $media );
1279
1280 if ( $media === '' || $media == 'all' ) {
1281 $out[] = $style;
1282 } elseif ( is_string( $media ) ) {
1283 $out[] = "@media $media {\n" . str_replace( "\n", "\n\t", "\t" . $style ) . "}";
1284 }
1285 // else: skip
1286 }
1287 }
1288 }
1289 return $out;
1290 }
1291
1292 /**
1293 * Wrapper around json_encode that avoids needless escapes,
1294 * and pretty-prints in debug mode.
1295 *
1296 * @internal
1297 * @since 1.32
1298 * @param bool|string|array $data
1299 * @return string JSON
1300 */
1301 public static function encodeJsonForScript( $data ) {
1302 // Keep output as small as possible by disabling needless escape modes
1303 // that PHP uses by default.
1304 // However, while most module scripts are only served on HTTP responses
1305 // for JavaScript, some modules can also be embedded in the HTML as inline
1306 // scripts. This, and the fact that we sometimes need to export strings
1307 // containing user-generated content and labels that may genuinely contain
1308 // a sequences like "</script>", we need to encode either '/' or '<'.
1309 // By default PHP escapes '/'. Let's escape '<' instead which is less common
1310 // and allows URLs to mostly remain readable.
1311 $jsonFlags = JSON_UNESCAPED_SLASHES |
1312 JSON_UNESCAPED_UNICODE |
1313 JSON_HEX_TAG |
1314 JSON_HEX_AMP;
1315 if ( self::inDebugMode() ) {
1316 $jsonFlags |= JSON_PRETTY_PRINT;
1317 }
1318 return json_encode( $data, $jsonFlags );
1319 }
1320
1321 /**
1322 * Returns a JS call to mw.loader.state, which sets the state of one
1323 * ore more modules to a given value. Has two calling conventions:
1324 *
1325 * - ResourceLoader::makeLoaderStateScript( $name, $state ):
1326 * Set the state of a single module called $name to $state
1327 *
1328 * - ResourceLoader::makeLoaderStateScript( [ $name => $state, ... ] ):
1329 * Set the state of modules with the given names to the given states
1330 *
1331 * @param array|string $states
1332 * @param string|null $state
1333 * @return string JavaScript code
1334 */
1335 public static function makeLoaderStateScript( $states, $state = null ) {
1336 if ( !is_array( $states ) ) {
1337 $states = [ $states => $state ];
1338 }
1339 return Xml::encodeJsCall(
1340 'mw.loader.state',
1341 [ $states ],
1342 self::inDebugMode()
1343 );
1344 }
1345
1346 private static function isEmptyObject( stdClass $obj ) {
1347 foreach ( $obj as $key => $value ) {
1348 return false;
1349 }
1350 return true;
1351 }
1352
1353 /**
1354 * Remove empty values from the end of an array.
1355 *
1356 * Values considered empty:
1357 *
1358 * - null
1359 * - []
1360 * - new XmlJsCode( '{}' )
1361 * - new stdClass() // (object) []
1362 *
1363 * @param array $array
1364 */
1365 private static function trimArray( array &$array ) {
1366 $i = count( $array );
1367 while ( $i-- ) {
1368 if ( $array[$i] === null
1369 || $array[$i] === []
1370 || ( $array[$i] instanceof XmlJsCode && $array[$i]->value === '{}' )
1371 || ( $array[$i] instanceof stdClass && self::isEmptyObject( $array[$i] ) )
1372 ) {
1373 unset( $array[$i] );
1374 } else {
1375 break;
1376 }
1377 }
1378 }
1379
1380 /**
1381 * Returns JS code which calls mw.loader.register with the given
1382 * parameter.
1383 *
1384 * @par Example
1385 * @code
1386 *
1387 * ResourceLoader::makeLoaderRegisterScript( [
1388 * [ $name1, $version1, $dependencies1, $group1, $source1, $skip1 ],
1389 * [ $name2, $version2, $dependencies1, $group2, $source2, $skip2 ],
1390 * ...
1391 * ] ):
1392 * @endcode
1393 *
1394 * @internal
1395 * @since 1.32
1396 * @param array $modules Array of module registration arrays, each containing
1397 * - string: module name
1398 * - string: module version
1399 * - array|null: List of dependencies (optional)
1400 * - string|null: Module group (optional)
1401 * - string|null: Name of foreign module source, or 'local' (optional)
1402 * - string|null: Script body of a skip function (optional)
1403 * @return string JavaScript code
1404 */
1405 public static function makeLoaderRegisterScript( array $modules ) {
1406 // Optimisation: Transform dependency names into indexes when possible
1407 // to produce smaller output. They are expanded by mw.loader.register on
1408 // the other end using resolveIndexedDependencies().
1409 $index = [];
1410 foreach ( $modules as $i => &$module ) {
1411 // Build module name index
1412 $index[$module[0]] = $i;
1413 }
1414 foreach ( $modules as &$module ) {
1415 if ( isset( $module[2] ) ) {
1416 foreach ( $module[2] as &$dependency ) {
1417 if ( isset( $index[$dependency] ) ) {
1418 // Replace module name in dependency list with index
1419 $dependency = $index[$dependency];
1420 }
1421 }
1422 }
1423 }
1424
1425 array_walk( $modules, [ 'self', 'trimArray' ] );
1426
1427 return Xml::encodeJsCall(
1428 'mw.loader.register',
1429 [ $modules ],
1430 self::inDebugMode()
1431 );
1432 }
1433
1434 /**
1435 * Returns JS code which calls mw.loader.addSource() with the given
1436 * parameters. Has two calling conventions:
1437 *
1438 * - ResourceLoader::makeLoaderSourcesScript( $id, $properties ):
1439 * Register a single source
1440 *
1441 * - ResourceLoader::makeLoaderSourcesScript( [ $id1 => $loadUrl, $id2 => $loadUrl, ... ] );
1442 * Register sources with the given IDs and properties.
1443 *
1444 * @param string|array $sources Source ID
1445 * @param string|null $loadUrl load.php url
1446 * @return string JavaScript code
1447 */
1448 public static function makeLoaderSourcesScript( $sources, $loadUrl = null ) {
1449 if ( !is_array( $sources ) ) {
1450 $sources = [ $sources => $loadUrl ];
1451 }
1452 return Xml::encodeJsCall(
1453 'mw.loader.addSource',
1454 [ $sources ],
1455 self::inDebugMode()
1456 );
1457 }
1458
1459 /**
1460 * Wraps JavaScript code to run after the startup module.
1461 *
1462 * @param string $script JavaScript code
1463 * @return string JavaScript code
1464 */
1465 public static function makeLoaderConditionalScript( $script ) {
1466 // Adds a function to lazy-created RLQ
1467 return '(window.RLQ=window.RLQ||[]).push(function(){' .
1468 trim( $script ) . '});';
1469 }
1470
1471 /**
1472 * Wraps JavaScript code to run after a required module.
1473 *
1474 * @since 1.32
1475 * @param string|string[] $modules Module name(s)
1476 * @param string $script JavaScript code
1477 * @return string JavaScript code
1478 */
1479 public static function makeInlineCodeWithModule( $modules, $script ) {
1480 // Adds an array to lazy-created RLQ
1481 return '(window.RLQ=window.RLQ||[]).push(['
1482 . self::encodeJsonForScript( $modules ) . ','
1483 . 'function(){' . trim( $script ) . '}'
1484 . ']);';
1485 }
1486
1487 /**
1488 * Returns an HTML script tag that runs given JS code after startup and base modules.
1489 *
1490 * The code will be wrapped in a closure, and it will be executed by ResourceLoader's
1491 * startup module if the client has adequate support for MediaWiki JavaScript code.
1492 *
1493 * @param string $script JavaScript code
1494 * @param string|null $nonce [optional] Content-Security-Policy nonce
1495 * (from OutputPage::getCSPNonce)
1496 * @return string|WrappedString HTML
1497 */
1498 public static function makeInlineScript( $script, $nonce = null ) {
1499 $js = self::makeLoaderConditionalScript( $script );
1500 $escNonce = '';
1501 if ( $nonce === null ) {
1502 wfWarn( __METHOD__ . " did not get nonce. Will break CSP" );
1503 } elseif ( $nonce !== false ) {
1504 // If it was false, CSP is disabled, so no nonce attribute.
1505 // Nonce should be only base64 characters, so should be safe,
1506 // but better to be safely escaped than sorry.
1507 $escNonce = ' nonce="' . htmlspecialchars( $nonce ) . '"';
1508 }
1509
1510 return new WrappedString(
1511 Html::inlineScript( $js, $nonce ),
1512 "<script$escNonce>(window.RLQ=window.RLQ||[]).push(function(){",
1513 '});</script>'
1514 );
1515 }
1516
1517 /**
1518 * Returns JS code which will set the MediaWiki configuration array to
1519 * the given value.
1520 *
1521 * @param array $configuration List of configuration values keyed by variable name
1522 * @return string JavaScript code
1523 * @throws Exception
1524 */
1525 public static function makeConfigSetScript( array $configuration ) {
1526 $js = Xml::encodeJsCall(
1527 'mw.config.set',
1528 [ $configuration ],
1529 self::inDebugMode()
1530 );
1531 if ( $js === false ) {
1532 $e = new Exception(
1533 'JSON serialization of config data failed. ' .
1534 'This usually means the config data is not valid UTF-8.'
1535 );
1536 MWExceptionHandler::logException( $e );
1537 $js = Xml::encodeJsCall( 'mw.log.error', [ $e->__toString() ] );
1538 }
1539 return $js;
1540 }
1541
1542 /**
1543 * Convert an array of module names to a packed query string.
1544 *
1545 * For example, `[ 'foo.bar', 'foo.baz', 'bar.baz', 'bar.quux' ]`
1546 * becomes `'foo.bar,baz|bar.baz,quux'`.
1547 *
1548 * This process is reversed by ResourceLoaderContext::expandModuleNames().
1549 * See also mw.loader#buildModulesString() which is a port of this, used
1550 * on the client-side.
1551 *
1552 * @param array $modules List of module names (strings)
1553 * @return string Packed query string
1554 */
1555 public static function makePackedModulesString( $modules ) {
1556 $moduleMap = []; // [ prefix => [ suffixes ] ]
1557 foreach ( $modules as $module ) {
1558 $pos = strrpos( $module, '.' );
1559 $prefix = $pos === false ? '' : substr( $module, 0, $pos );
1560 $suffix = $pos === false ? $module : substr( $module, $pos + 1 );
1561 $moduleMap[$prefix][] = $suffix;
1562 }
1563
1564 $arr = [];
1565 foreach ( $moduleMap as $prefix => $suffixes ) {
1566 $p = $prefix === '' ? '' : $prefix . '.';
1567 $arr[] = $p . implode( ',', $suffixes );
1568 }
1569 return implode( '|', $arr );
1570 }
1571
1572 /**
1573 * Determine whether debug mode was requested
1574 * Order of priority is 1) request param, 2) cookie, 3) $wg setting
1575 * @return bool
1576 */
1577 public static function inDebugMode() {
1578 if ( self::$debugMode === null ) {
1579 global $wgRequest, $wgResourceLoaderDebug;
1580 self::$debugMode = $wgRequest->getFuzzyBool( 'debug',
1581 $wgRequest->getCookie( 'resourceLoaderDebug', '', $wgResourceLoaderDebug )
1582 );
1583 }
1584 return self::$debugMode;
1585 }
1586
1587 /**
1588 * Reset static members used for caching.
1589 *
1590 * Global state and $wgRequest are evil, but we're using it right
1591 * now and sometimes we need to be able to force ResourceLoader to
1592 * re-evaluate the context because it has changed (e.g. in the test suite).
1593 *
1594 * @internal For use by unit tests
1595 * @codeCoverageIgnore
1596 */
1597 public static function clearCache() {
1598 self::$debugMode = null;
1599 }
1600
1601 /**
1602 * Build a load.php URL
1603 *
1604 * @since 1.24
1605 * @param string $source Name of the ResourceLoader source
1606 * @param ResourceLoaderContext $context
1607 * @param array $extraQuery
1608 * @return string URL to load.php. May be protocol-relative if $wgLoadScript is, too.
1609 */
1610 public function createLoaderURL( $source, ResourceLoaderContext $context,
1611 $extraQuery = []
1612 ) {
1613 $query = self::createLoaderQuery( $context, $extraQuery );
1614 $script = $this->getLoadScript( $source );
1615
1616 return wfAppendQuery( $script, $query );
1617 }
1618
1619 /**
1620 * Helper for createLoaderURL()
1621 *
1622 * @since 1.24
1623 * @see makeLoaderQuery
1624 * @param ResourceLoaderContext $context
1625 * @param array $extraQuery
1626 * @return array
1627 */
1628 protected static function createLoaderQuery( ResourceLoaderContext $context, $extraQuery = [] ) {
1629 return self::makeLoaderQuery(
1630 $context->getModules(),
1631 $context->getLanguage(),
1632 $context->getSkin(),
1633 $context->getUser(),
1634 $context->getVersion(),
1635 $context->getDebug(),
1636 $context->getOnly(),
1637 $context->getRequest()->getBool( 'printable' ),
1638 $context->getRequest()->getBool( 'handheld' ),
1639 $extraQuery
1640 );
1641 }
1642
1643 /**
1644 * Build a query array (array representation of query string) for load.php. Helper
1645 * function for createLoaderURL().
1646 *
1647 * @param array $modules
1648 * @param string $lang
1649 * @param string $skin
1650 * @param string|null $user
1651 * @param string|null $version
1652 * @param bool $debug
1653 * @param string|null $only
1654 * @param bool $printable
1655 * @param bool $handheld
1656 * @param array $extraQuery
1657 *
1658 * @return array
1659 */
1660 public static function makeLoaderQuery( $modules, $lang, $skin, $user = null,
1661 $version = null, $debug = false, $only = null, $printable = false,
1662 $handheld = false, $extraQuery = []
1663 ) {
1664 $query = [
1665 'modules' => self::makePackedModulesString( $modules ),
1666 'lang' => $lang,
1667 'skin' => $skin,
1668 'debug' => $debug ? 'true' : 'false',
1669 ];
1670 if ( $user !== null ) {
1671 $query['user'] = $user;
1672 }
1673 if ( $version !== null ) {
1674 $query['version'] = $version;
1675 }
1676 if ( $only !== null ) {
1677 $query['only'] = $only;
1678 }
1679 if ( $printable ) {
1680 $query['printable'] = 1;
1681 }
1682 if ( $handheld ) {
1683 $query['handheld'] = 1;
1684 }
1685 $query += $extraQuery;
1686
1687 // Make queries uniform in order
1688 ksort( $query );
1689 return $query;
1690 }
1691
1692 /**
1693 * Check a module name for validity.
1694 *
1695 * Module names may not contain pipes (|), commas (,) or exclamation marks (!) and can be
1696 * at most 255 bytes.
1697 *
1698 * @param string $moduleName Module name to check
1699 * @return bool Whether $moduleName is a valid module name
1700 */
1701 public static function isValidModuleName( $moduleName ) {
1702 return strcspn( $moduleName, '!,|', 0, 255 ) === strlen( $moduleName );
1703 }
1704
1705 /**
1706 * Returns LESS compiler set up for use with MediaWiki
1707 *
1708 * @since 1.27
1709 * @param array $vars Associative array of variables that should be used
1710 * for compilation. Since 1.32, this method no longer automatically includes
1711 * global LESS vars from ResourceLoader::getLessVars (T191937).
1712 * @throws MWException
1713 * @return Less_Parser
1714 */
1715 public function getLessCompiler( $vars = [] ) {
1716 global $IP;
1717 // When called from the installer, it is possible that a required PHP extension
1718 // is missing (at least for now; see T49564). If this is the case, throw an
1719 // exception (caught by the installer) to prevent a fatal error later on.
1720 if ( !class_exists( 'Less_Parser' ) ) {
1721 throw new MWException( 'MediaWiki requires the less.php parser' );
1722 }
1723
1724 $parser = new Less_Parser;
1725 $parser->ModifyVars( $vars );
1726 $parser->SetImportDirs( [
1727 "$IP/resources/src/mediawiki.less/" => '',
1728 ] );
1729 $parser->SetOption( 'relativeUrls', false );
1730
1731 return $parser;
1732 }
1733
1734 /**
1735 * Get global LESS variables.
1736 *
1737 * @since 1.27
1738 * @deprecated since 1.32 Use ResourceLoderModule::getLessVars() instead.
1739 * @return array Map of variable names to string CSS values.
1740 */
1741 public function getLessVars() {
1742 return [];
1743 }
1744 }