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