3 * Base class for resource loading system.
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.
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.
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
21 * @author Roan Kattouw
22 * @author Trevor Parscal
26 * Dynamic JavaScript and CSS resource loading system.
28 * Most of the documention is on the MediaWiki documentation wiki starting at:
29 * http://www.mediawiki.org/wiki/ResourceLoader
31 class ResourceLoader
{
33 /* Protected Static Members */
34 protected static $filterCacheVersion = 7;
35 protected static $requiredSourceProperties = array( 'loadScript' );
37 /** Array: List of module name/ResourceLoaderModule object pairs */
38 protected $modules = array();
40 /** Associative array mapping module name to info associative array */
41 protected $moduleInfos = array();
43 /** Associative array mapping framework ids to a list of names of test suite modules */
44 /** like array( 'qunit' => array( 'mediawiki.tests.qunit.suites', 'ext.foo.tests', .. ), .. ) */
45 protected $testModuleNames = array();
47 /** array( 'source-id' => array( 'loadScript' => 'http://.../load.php' ) ) **/
48 protected $sources = array();
50 /* Protected Methods */
53 * Loads information stored in the database about modules.
55 * This method grabs modules dependencies from the database and updates modules
58 * This is not inside the module code because it is much faster to
59 * request all of the information at once than it is to have each module
60 * requests its own information. This sacrifice of modularity yields a substantial
61 * performance improvement.
63 * @param array $modules List of module names to preload information for
64 * @param $context ResourceLoaderContext: Context to load the information within
66 public function preloadModuleInfo( array $modules, ResourceLoaderContext
$context ) {
67 if ( !count( $modules ) ) {
68 return; // or else Database*::select() will explode, plus it's cheaper!
70 $dbr = wfGetDB( DB_SLAVE
);
71 $skin = $context->getSkin();
72 $lang = $context->getLanguage();
74 // Get file dependency information
75 $res = $dbr->select( 'module_deps', array( 'md_module', 'md_deps' ), array(
76 'md_module' => $modules,
81 // Set modules' dependencies
82 $modulesWithDeps = array();
83 foreach ( $res as $row ) {
84 $this->getModule( $row->md_module
)->setFileDependencies( $skin,
85 FormatJson
::decode( $row->md_deps
, true )
87 $modulesWithDeps[] = $row->md_module
;
90 // Register the absence of a dependency row too
91 foreach ( array_diff( $modules, $modulesWithDeps ) as $name ) {
92 $this->getModule( $name )->setFileDependencies( $skin, array() );
95 // Get message blob mtimes. Only do this for modules with messages
96 $modulesWithMessages = array();
97 foreach ( $modules as $name ) {
98 if ( count( $this->getModule( $name )->getMessages() ) ) {
99 $modulesWithMessages[] = $name;
102 $modulesWithoutMessages = array_flip( $modules ); // Will be trimmed down by the loop below
103 if ( count( $modulesWithMessages ) ) {
104 $res = $dbr->select( 'msg_resource', array( 'mr_resource', 'mr_timestamp' ), array(
105 'mr_resource' => $modulesWithMessages,
109 foreach ( $res as $row ) {
110 $this->getModule( $row->mr_resource
)->setMsgBlobMtime( $lang,
111 wfTimestamp( TS_UNIX
, $row->mr_timestamp
) );
112 unset( $modulesWithoutMessages[$row->mr_resource
] );
115 foreach ( array_keys( $modulesWithoutMessages ) as $name ) {
116 $this->getModule( $name )->setMsgBlobMtime( $lang, 0 );
121 * Runs JavaScript or CSS data through a filter, caching the filtered result for future calls.
123 * Available filters are:
124 * - minify-js \see JavaScriptMinifier::minify
125 * - minify-css \see CSSMin::minify
127 * If $data is empty, only contains whitespace or the filter was unknown,
128 * $data is returned unmodified.
130 * @param string $filter Name of filter to run
131 * @param string $data Text to filter, such as JavaScript or CSS text
132 * @return String: Filtered data, or a comment containing an error message
134 protected function filter( $filter, $data ) {
135 global $wgResourceLoaderMinifierStatementsOnOwnLine, $wgResourceLoaderMinifierMaxLineLength;
136 wfProfileIn( __METHOD__
);
138 // For empty/whitespace-only data or for unknown filters, don't perform
139 // any caching or processing
140 if ( trim( $data ) === ''
141 ||
!in_array( $filter, array( 'minify-js', 'minify-css' ) ) )
143 wfProfileOut( __METHOD__
);
148 // Use CACHE_ANYTHING since filtering is very slow compared to DB queries
149 $key = wfMemcKey( 'resourceloader', 'filter', $filter, self
::$filterCacheVersion, md5( $data ) );
150 $cache = wfGetCache( CACHE_ANYTHING
);
151 $cacheEntry = $cache->get( $key );
152 if ( is_string( $cacheEntry ) ) {
153 wfProfileOut( __METHOD__
);
158 // Run the filter - we've already verified one of these will work
162 $result = JavaScriptMinifier
::minify( $data,
163 $wgResourceLoaderMinifierStatementsOnOwnLine,
164 $wgResourceLoaderMinifierMaxLineLength
166 $result .= "\n/* cache key: $key */";
169 $result = CSSMin
::minify( $data );
170 $result .= "\n/* cache key: $key */";
174 // Save filtered text to Memcached
175 $cache->set( $key, $result );
176 } catch ( Exception
$exception ) {
177 // Return exception as a comment
178 $result = $this->makeComment( $exception->__toString() );
179 $this->hasErrors
= true;
182 wfProfileOut( __METHOD__
);
190 * Registers core modules and runs registration hooks.
192 public function __construct() {
193 global $IP, $wgResourceModules, $wgResourceLoaderSources, $wgLoadScript, $wgEnableJavaScriptTest;
195 wfProfileIn( __METHOD__
);
197 // Add 'local' source first
198 $this->addSource( 'local', array( 'loadScript' => $wgLoadScript, 'apiScript' => wfScript( 'api' ) ) );
201 $this->addSource( $wgResourceLoaderSources );
203 // Register core modules
204 $this->register( include( "$IP/resources/Resources.php" ) );
205 // Register extension modules
206 wfRunHooks( 'ResourceLoaderRegisterModules', array( &$this ) );
207 $this->register( $wgResourceModules );
209 if ( $wgEnableJavaScriptTest === true ) {
210 $this->registerTestModules();
213 wfProfileOut( __METHOD__
);
217 * Registers a module with the ResourceLoader system.
219 * @param $name Mixed: Name of module as a string or List of name/object pairs as an array
220 * @param array $info Module info array. For backwards compatibility with 1.17alpha,
221 * this may also be a ResourceLoaderModule object. Optional when using
222 * multiple-registration calling style.
223 * @throws MWException: If a duplicate module registration is attempted
224 * @throws MWException: If a module name contains illegal characters (pipes or commas)
225 * @throws MWException: If something other than a ResourceLoaderModule is being registered
226 * @return Boolean: False if there were any errors, in which case one or more modules were not
229 public function register( $name, $info = null ) {
230 wfProfileIn( __METHOD__
);
232 // Allow multiple modules to be registered in one call
233 $registrations = is_array( $name ) ?
$name : array( $name => $info );
234 foreach ( $registrations as $name => $info ) {
235 // Disallow duplicate registrations
236 if ( isset( $this->moduleInfos
[$name] ) ) {
237 wfProfileOut( __METHOD__
);
238 // A module has already been registered by this name
239 throw new MWException(
240 'ResourceLoader duplicate registration error. ' .
241 'Another module has already been registered as ' . $name
245 // Check $name for validity
246 if ( !self
::isValidModuleName( $name ) ) {
247 wfProfileOut( __METHOD__
);
248 throw new MWException( "ResourceLoader module name '$name' is invalid, see ResourceLoader::isValidModuleName()" );
252 if ( is_object( $info ) ) {
253 // Old calling convention
254 // Validate the input
255 if ( !( $info instanceof ResourceLoaderModule
) ) {
256 wfProfileOut( __METHOD__
);
257 throw new MWException( 'ResourceLoader invalid module error. ' .
258 'Instances of ResourceLoaderModule expected.' );
261 $this->moduleInfos
[$name] = array( 'object' => $info );
262 $info->setName( $name );
263 $this->modules
[$name] = $info;
265 // New calling convention
266 $this->moduleInfos
[$name] = $info;
270 wfProfileOut( __METHOD__
);
275 public function registerTestModules() {
276 global $IP, $wgEnableJavaScriptTest;
278 if ( $wgEnableJavaScriptTest !== true ) {
279 throw new MWException( 'Attempt to register JavaScript test modules but <tt>$wgEnableJavaScriptTest</tt> is false. Edit your <tt>LocalSettings.php</tt> to enable it.' );
282 wfProfileIn( __METHOD__
);
284 // Get core test suites
285 $testModules = array();
286 $testModules['qunit'] = include( "$IP/tests/qunit/QUnitTestResources.php" );
287 // Get other test suites (e.g. from extensions)
288 wfRunHooks( 'ResourceLoaderTestModules', array( &$testModules, &$this ) );
290 // Add the testrunner (which configures QUnit) to the dependencies.
291 // Since it must be ready before any of the test suites are executed.
292 foreach ( $testModules['qunit'] as &$module ) {
293 // Make sure all test modules are top-loading so that when QUnit starts
294 // on document-ready, it will run once and finish. If some tests arrive
295 // later (possibly after QUnit has already finished) they will be ignored.
296 $module['position'] = 'top';
297 $module['dependencies'][] = 'mediawiki.tests.qunit.testrunner';
300 foreach ( $testModules as $id => $names ) {
301 // Register test modules
302 $this->register( $testModules[$id] );
304 // Keep track of their names so that they can be loaded together
305 $this->testModuleNames
[$id] = array_keys( $testModules[$id] );
308 wfProfileOut( __METHOD__
);
312 * Add a foreign source of modules.
315 * 'loadScript': URL (either fully-qualified or protocol-relative) of load.php for this source
317 * @param $id Mixed: source ID (string), or array( id1 => props1, id2 => props2, ... )
318 * @param array $properties source properties
319 * @throws MWException
321 public function addSource( $id, $properties = null) {
322 // Allow multiple sources to be registered in one call
323 if ( is_array( $id ) ) {
324 foreach ( $id as $key => $value ) {
325 $this->addSource( $key, $value );
330 // Disallow duplicates
331 if ( isset( $this->sources
[$id] ) ) {
332 throw new MWException(
333 'ResourceLoader duplicate source addition error. ' .
334 'Another source has already been registered as ' . $id
338 // Validate properties
339 foreach ( self
::$requiredSourceProperties as $prop ) {
340 if ( !isset( $properties[$prop] ) ) {
341 throw new MWException( "Required property $prop missing from source ID $id" );
345 $this->sources
[$id] = $properties;
349 * Get a list of module names
351 * @return Array: List of module names
353 public function getModuleNames() {
354 return array_keys( $this->moduleInfos
);
358 * Get a list of test module names for one (or all) frameworks.
359 * If the given framework id is unknkown, or if the in-object variable is not an array,
360 * then it will return an empty array.
362 * @param string $framework Optional. Get only the test module names for one
363 * particular framework.
366 public function getTestModuleNames( $framework = 'all' ) {
367 /// @TODO: api siteinfo prop testmodulenames modulenames
368 if ( $framework == 'all' ) {
369 return $this->testModuleNames
;
370 } elseif ( isset( $this->testModuleNames
[$framework] ) && is_array( $this->testModuleNames
[$framework] ) ) {
371 return $this->testModuleNames
[$framework];
378 * Get the ResourceLoaderModule object for a given module name.
380 * @param string $name Module name
381 * @return ResourceLoaderModule if module has been registered, null otherwise
383 public function getModule( $name ) {
384 if ( !isset( $this->modules
[$name] ) ) {
385 if ( !isset( $this->moduleInfos
[$name] ) ) {
389 // Construct the requested object
390 $info = $this->moduleInfos
[$name];
391 if ( isset( $info['object'] ) ) {
392 // Object given in info array
393 $object = $info['object'];
395 if ( !isset( $info['class'] ) ) {
396 $class = 'ResourceLoaderFileModule';
398 $class = $info['class'];
400 $object = new $class( $info );
402 $object->setName( $name );
403 $this->modules
[$name] = $object;
406 return $this->modules
[$name];
410 * Get the list of sources
412 * @return Array: array( id => array of properties, .. )
414 public function getSources() {
415 return $this->sources
;
419 * Outputs a response to a resource load-request, including a content-type header.
421 * @param $context ResourceLoaderContext: Context in which a response should be formed
423 public function respond( ResourceLoaderContext
$context ) {
424 global $wgCacheEpoch, $wgUseFileCache;
426 // Use file cache if enabled and available...
427 if ( $wgUseFileCache ) {
428 $fileCache = ResourceFileCache
::newFromContext( $context );
429 if ( $this->tryRespondFromFileCache( $fileCache, $context ) ) {
430 return; // output handled
434 // Buffer output to catch warnings. Normally we'd use ob_clean() on the
435 // top-level output buffer to clear warnings, but that breaks when ob_gzhandler
436 // is used: ob_clean() will clear the GZIP header in that case and it won't come
437 // back for subsequent output, resulting in invalid GZIP. So we have to wrap
438 // the whole thing in our own output buffer to be sure the active buffer
439 // doesn't use ob_gzhandler.
440 // See http://bugs.php.net/bug.php?id=36514
443 wfProfileIn( __METHOD__
);
445 $this->hasErrors
= false;
447 // Split requested modules into two groups, modules and missing
450 foreach ( $context->getModules() as $name ) {
451 if ( isset( $this->moduleInfos
[$name] ) ) {
452 $module = $this->getModule( $name );
453 // Do not allow private modules to be loaded from the web.
454 // This is a security issue, see bug 34907.
455 if ( $module->getGroup() === 'private' ) {
456 $errors .= $this->makeComment( "Cannot show private module \"$name\"" );
457 $this->hasErrors
= true;
460 $modules[$name] = $module;
466 // Preload information needed to the mtime calculation below
468 $this->preloadModuleInfo( array_keys( $modules ), $context );
469 } catch( Exception
$e ) {
470 // Add exception to the output as a comment
471 $errors .= $this->makeComment( $e->__toString() );
472 $this->hasErrors
= true;
475 wfProfileIn( __METHOD__
. '-getModifiedTime' );
477 // To send Last-Modified and support If-Modified-Since, we need to detect
478 // the last modified time
479 $mtime = wfTimestamp( TS_UNIX
, $wgCacheEpoch );
480 foreach ( $modules as $module ) {
482 * @var $module ResourceLoaderModule
485 // Calculate maximum modified time
486 $mtime = max( $mtime, $module->getModifiedTime( $context ) );
487 } catch ( Exception
$e ) {
488 // Add exception to the output as a comment
489 $errors .= $this->makeComment( $e->__toString() );
490 $this->hasErrors
= true;
494 wfProfileOut( __METHOD__
. '-getModifiedTime' );
496 // If there's an If-Modified-Since header, respond with a 304 appropriately
497 if ( $this->tryRespondLastModified( $context, $mtime ) ) {
498 wfProfileOut( __METHOD__
);
499 return; // output handled (buffers cleared)
502 // Generate a response
503 $response = $this->makeModuleResponse( $context, $modules, $missing );
505 // Prepend comments indicating exceptions
506 $response = $errors . $response;
508 // Capture any PHP warnings from the output buffer and append them to the
509 // response in a comment if we're in debug mode.
510 if ( $context->getDebug() && strlen( $warnings = ob_get_contents() ) ) {
511 $response = $this->makeComment( $warnings ) . $response;
512 $this->hasErrors
= true;
515 // Save response to file cache unless there are errors
516 if ( isset( $fileCache ) && !$errors && !$missing ) {
517 // Cache single modules...and other requests if there are enough hits
518 if ( ResourceFileCache
::useFileCache( $context ) ) {
519 if ( $fileCache->isCacheWorthy() ) {
520 $fileCache->saveText( $response );
522 $fileCache->incrMissesRecent( $context->getRequest() );
527 // Send content type and cache related headers
528 $this->sendResponseHeaders( $context, $mtime, $this->hasErrors
);
530 // Remove the output buffer and output the response
534 wfProfileOut( __METHOD__
);
538 * Send content type and last modified headers to the client.
539 * @param $context ResourceLoaderContext
540 * @param string $mtime TS_MW timestamp to use for last-modified
541 * @param bool $error Whether there are commented-out errors in the response
544 protected function sendResponseHeaders( ResourceLoaderContext
$context, $mtime, $errors ) {
545 global $wgResourceLoaderMaxage;
546 // If a version wasn't specified we need a shorter expiry time for updates
547 // to propagate to clients quickly
548 // If there were errors, we also need a shorter expiry time so we can recover quickly
549 if ( is_null( $context->getVersion() ) ||
$errors ) {
550 $maxage = $wgResourceLoaderMaxage['unversioned']['client'];
551 $smaxage = $wgResourceLoaderMaxage['unversioned']['server'];
552 // If a version was specified we can use a longer expiry time since changing
553 // version numbers causes cache misses
555 $maxage = $wgResourceLoaderMaxage['versioned']['client'];
556 $smaxage = $wgResourceLoaderMaxage['versioned']['server'];
558 if ( $context->getOnly() === 'styles' ) {
559 header( 'Content-Type: text/css; charset=utf-8' );
561 header( 'Content-Type: text/javascript; charset=utf-8' );
563 header( 'Last-Modified: ' . wfTimestamp( TS_RFC2822
, $mtime ) );
564 if ( $context->getDebug() ) {
565 // Do not cache debug responses
566 header( 'Cache-Control: private, no-cache, must-revalidate' );
567 header( 'Pragma: no-cache' );
569 header( "Cache-Control: public, max-age=$maxage, s-maxage=$smaxage" );
570 $exp = min( $maxage, $smaxage );
571 header( 'Expires: ' . wfTimestamp( TS_RFC2822
, $exp +
time() ) );
576 * If there's an If-Modified-Since header, respond with a 304 appropriately
577 * and clear out the output buffer. If the client cache is too old then do nothing.
578 * @param $context ResourceLoaderContext
579 * @param string $mtime The TS_MW timestamp to check the header against
580 * @return bool True iff 304 header sent and output handled
582 protected function tryRespondLastModified( ResourceLoaderContext
$context, $mtime ) {
583 // If there's an If-Modified-Since header, respond with a 304 appropriately
584 // Some clients send "timestamp;length=123". Strip the part after the first ';'
585 // so we get a valid timestamp.
586 $ims = $context->getRequest()->getHeader( 'If-Modified-Since' );
587 // Never send 304s in debug mode
588 if ( $ims !== false && !$context->getDebug() ) {
589 $imsTS = strtok( $ims, ';' );
590 if ( $mtime <= wfTimestamp( TS_UNIX
, $imsTS ) ) {
591 // There's another bug in ob_gzhandler (see also the comment at
592 // the top of this function) that causes it to gzip even empty
593 // responses, meaning it's impossible to produce a truly empty
594 // response (because the gzip header is always there). This is
595 // a problem because 304 responses have to be completely empty
596 // per the HTTP spec, and Firefox behaves buggily when they're not.
597 // See also http://bugs.php.net/bug.php?id=51579
598 // To work around this, we tear down all output buffering before
600 // On some setups, ob_get_level() doesn't seem to go down to zero
601 // no matter how often we call ob_get_clean(), so instead of doing
602 // the more intuitive while ( ob_get_level() > 0 ) ob_get_clean();
603 // we have to be safe here and avoid an infinite loop.
604 // Caching the level is not an option, need to allow it to
605 // shorten the loop on-the-fly (bug 46836)
606 for ( $i = 0; $i < ob_get_level(); $i++
) {
610 header( 'HTTP/1.0 304 Not Modified' );
611 header( 'Status: 304 Not Modified' );
619 * Send out code for a response from file cache if possible
621 * @param $fileCache ResourceFileCache: Cache object for this request URL
622 * @param $context ResourceLoaderContext: Context in which to generate a response
623 * @return bool If this found a cache file and handled the response
625 protected function tryRespondFromFileCache(
626 ResourceFileCache
$fileCache, ResourceLoaderContext
$context
628 global $wgResourceLoaderMaxage;
629 // Buffer output to catch warnings.
631 // Get the maximum age the cache can be
632 $maxage = is_null( $context->getVersion() )
633 ?
$wgResourceLoaderMaxage['unversioned']['server']
634 : $wgResourceLoaderMaxage['versioned']['server'];
635 // Minimum timestamp the cache file must have
636 $good = $fileCache->isCacheGood( wfTimestamp( TS_MW
, time() - $maxage ) );
638 try { // RL always hits the DB on file cache miss...
640 } catch( DBConnectionError
$e ) { // ...check if we need to fallback to cache
641 $good = $fileCache->isCacheGood(); // cache existence check
645 $ts = $fileCache->cacheTimestamp();
646 // Send content type and cache headers
647 $this->sendResponseHeaders( $context, $ts, false );
648 // If there's an If-Modified-Since header, respond with a 304 appropriately
649 if ( $this->tryRespondLastModified( $context, $ts ) ) {
650 return false; // output handled (buffers cleared)
652 $response = $fileCache->fetchText();
653 // Capture any PHP warnings from the output buffer and append them to the
654 // response in a comment if we're in debug mode.
655 if ( $context->getDebug() && strlen( $warnings = ob_get_contents() ) ) {
656 $response = "/*\n$warnings\n*/\n" . $response;
658 // Remove the output buffer and output the response
660 echo $response . "\n/* Cached {$ts} */";
661 return true; // cache hit
666 return false; // cache miss
669 protected function makeComment( $text ) {
670 $encText = str_replace( '*/', '* /', $text );
671 return "/*\n$encText\n*/\n";
675 * Generates code for a response
677 * @param $context ResourceLoaderContext: Context in which to generate a response
678 * @param array $modules List of module objects keyed by module name
679 * @param array $missing List of unavailable modules (optional)
680 * @return String: Response data
682 public function makeModuleResponse( ResourceLoaderContext
$context,
683 array $modules, $missing = array()
687 if ( $modules === array() && $missing === array() ) {
688 return '/* No modules requested. Max made me put this here */';
691 wfProfileIn( __METHOD__
);
693 if ( $context->shouldIncludeMessages() ) {
695 $blobs = MessageBlobStore
::get( $this, $modules, $context->getLanguage() );
696 } catch ( Exception
$e ) {
697 // Add exception to the output as a comment
698 $exceptions .= $this->makeComment( $e->__toString() );
699 $this->hasErrors
= true;
707 foreach ( $modules as $name => $module ) {
709 * @var $module ResourceLoaderModule
712 wfProfileIn( __METHOD__
. '-' . $name );
715 if ( $context->shouldIncludeScripts() ) {
716 // If we are in debug mode, we'll want to return an array of URLs if possible
717 // However, we can't do this if the module doesn't support it
718 // We also can't do this if there is an only= parameter, because we have to give
719 // the module a way to return a load.php URL without causing an infinite loop
720 if ( $context->getDebug() && !$context->getOnly() && $module->supportsURLLoading() ) {
721 $scripts = $module->getScriptURLsForDebug( $context );
723 $scripts = $module->getScript( $context );
724 if ( is_string( $scripts ) && strlen( $scripts ) && substr( $scripts, -1 ) !== ';' ) {
725 // bug 27054: Append semicolon to prevent weird bugs
726 // caused by files not terminating their statements right
733 if ( $context->shouldIncludeStyles() ) {
734 // Don't create empty stylesheets like array( '' => '' ) for modules
735 // that don't *have* any stylesheets (bug 38024).
736 $stylePairs = $module->getStyles( $context );
737 if ( count ( $stylePairs ) ) {
738 // If we are in debug mode without &only= set, we'll want to return an array of URLs
739 // See comment near shouldIncludeScripts() for more details
740 if ( $context->getDebug() && !$context->getOnly() && $module->supportsURLLoading() ) {
742 'url' => $module->getStyleURLsForDebug( $context )
745 // Minify CSS before embedding in mw.loader.implement call
746 // (unless in debug mode)
747 if ( !$context->getDebug() ) {
748 foreach ( $stylePairs as $media => $style ) {
749 // Can be either a string or an array of strings.
750 if ( is_array( $style ) ) {
751 $stylePairs[$media] = array();
752 foreach ( $style as $cssText ) {
753 if ( is_string( $cssText ) ) {
754 $stylePairs[$media][] = $this->filter( 'minify-css', $cssText );
757 } elseif ( is_string( $style ) ) {
758 $stylePairs[$media] = $this->filter( 'minify-css', $style );
762 // Wrap styles into @media groups as needed and flatten into a numerical array
764 'css' => self
::makeCombinedStyles( $stylePairs )
771 $messagesBlob = isset( $blobs[$name] ) ?
$blobs[$name] : '{}';
774 switch ( $context->getOnly() ) {
776 if ( is_string( $scripts ) ) {
777 // Load scripts raw...
779 } elseif ( is_array( $scripts ) ) {
780 // ...except when $scripts is an array of URLs
781 $out .= self
::makeLoaderImplementScript( $name, $scripts, array(), array() );
785 // We no longer seperate into media, they are all combined now with
786 // custom media type groups into @media .. {} sections as part of the css string.
787 // Module returns either an empty array or a numerical array with css strings.
788 $out .= isset( $styles['css'] ) ?
implode( '', $styles['css'] ) : '';
791 $out .= self
::makeMessageSetScript( new XmlJsCode( $messagesBlob ) );
794 $out .= self
::makeLoaderImplementScript(
798 new XmlJsCode( $messagesBlob )
802 } catch ( Exception
$e ) {
803 // Add exception to the output as a comment
804 $exceptions .= $this->makeComment( $e->__toString() );
805 $this->hasErrors
= true;
807 // Register module as missing
809 unset( $modules[$name] );
811 $isRaw |
= $module->isRaw();
812 wfProfileOut( __METHOD__
. '-' . $name );
815 // Update module states
816 if ( $context->shouldIncludeScripts() && !$context->getRaw() && !$isRaw ) {
817 // Set the state of modules loaded as only scripts to ready
818 if ( count( $modules ) && $context->getOnly() === 'scripts' ) {
819 $out .= self
::makeLoaderStateScript(
820 array_fill_keys( array_keys( $modules ), 'ready' ) );
822 // Set the state of modules which were requested but unavailable as missing
823 if ( is_array( $missing ) && count( $missing ) ) {
824 $out .= self
::makeLoaderStateScript( array_fill_keys( $missing, 'missing' ) );
828 if ( !$context->getDebug() ) {
829 if ( $context->getOnly() === 'styles' ) {
830 $out = $this->filter( 'minify-css', $out );
832 $out = $this->filter( 'minify-js', $out );
836 wfProfileOut( __METHOD__
);
837 return $exceptions . $out;
843 * Returns JS code to call to mw.loader.implement for a module with
846 * @param string $name Module name
847 * @param $scripts Mixed: List of URLs to JavaScript files or String of JavaScript code
848 * @param $styles Mixed: Array of CSS strings keyed by media type, or an array of lists of URLs to
849 * CSS files keyed by media type
850 * @param $messages Mixed: List of messages associated with this module. May either be an
851 * associative array mapping message key to value, or a JSON-encoded message blob containing
852 * the same data, wrapped in an XmlJsCode object.
854 * @throws MWException
857 public static function makeLoaderImplementScript( $name, $scripts, $styles, $messages ) {
858 if ( is_string( $scripts ) ) {
859 $scripts = new XmlJsCode( "function () {\n{$scripts}\n}" );
860 } elseif ( !is_array( $scripts ) ) {
861 throw new MWException( 'Invalid scripts error. Array of URLs or string of code expected.' );
863 return Xml
::encodeJsCall(
864 'mw.loader.implement',
868 // Force objects. mw.loader.implement requires them to be javascript objects.
869 // Although these variables are associative arrays, which become javascript
870 // objects through json_encode. In many cases they will be empty arrays, and
871 // PHP/json_encode() consider empty arrays to be numerical arrays and
872 // output javascript "[]" instead of "{}". This fixes that.
876 ResourceLoader
::inDebugMode()
881 * Returns JS code which, when called, will register a given list of messages.
883 * @param $messages Mixed: Either an associative array mapping message key to value, or a
884 * JSON-encoded message blob containing the same data, wrapped in an XmlJsCode object.
888 public static function makeMessageSetScript( $messages ) {
889 return Xml
::encodeJsCall( 'mw.messages.set', array( (object)$messages ) );
893 * Combines an associative array mapping media type to CSS into a
894 * single stylesheet with "@media" blocks.
896 * @param array $stylePairs Array keyed by media type containing (arrays of) CSS strings.
900 private static function makeCombinedStyles( array $stylePairs ) {
902 foreach ( $stylePairs as $media => $styles ) {
903 // ResourceLoaderFileModule::getStyle can return the styles
904 // as a string or an array of strings. This is to allow separation in
906 $styles = (array)$styles;
907 foreach ( $styles as $style ) {
908 $style = trim( $style );
909 // Don't output an empty "@media print { }" block (bug 40498)
910 if ( $style !== '' ) {
911 // Transform the media type based on request params and config
912 // The way that this relies on $wgRequest to propagate request params is slightly evil
913 $media = OutputPage
::transformCssMedia( $media );
915 if ( $media === '' ||
$media == 'all' ) {
917 } elseif ( is_string( $media ) ) {
918 $out[] = "@media $media {\n" . str_replace( "\n", "\n\t", "\t" . $style ) . "}";
928 * Returns a JS call to mw.loader.state, which sets the state of a
929 * module or modules to a given value. Has two calling conventions:
931 * - ResourceLoader::makeLoaderStateScript( $name, $state ):
932 * Set the state of a single module called $name to $state
934 * - ResourceLoader::makeLoaderStateScript( array( $name => $state, ... ) ):
935 * Set the state of modules with the given names to the given states
937 * @param $name string
942 public static function makeLoaderStateScript( $name, $state = null ) {
943 if ( is_array( $name ) ) {
944 return Xml
::encodeJsCall( 'mw.loader.state', array( $name ) );
946 return Xml
::encodeJsCall( 'mw.loader.state', array( $name, $state ) );
951 * Returns JS code which calls the script given by $script. The script will
952 * be called with local variables name, version, dependencies and group,
953 * which will have values corresponding to $name, $version, $dependencies
954 * and $group as supplied.
956 * @param string $name Module name
957 * @param $version Integer: Module version number as a timestamp
958 * @param array $dependencies List of module names on which this module depends
959 * @param string $group Group which the module is in.
960 * @param string $source Source of the module, or 'local' if not foreign.
961 * @param string $script JavaScript code
965 public static function makeCustomLoaderScript( $name, $version, $dependencies, $group, $source, $script ) {
966 $script = str_replace( "\n", "\n\t", trim( $script ) );
967 return Xml
::encodeJsCall(
968 "( function ( name, version, dependencies, group, source ) {\n\t$script\n} )",
969 array( $name, $version, $dependencies, $group, $source ) );
973 * Returns JS code which calls mw.loader.register with the given
974 * parameters. Has three calling conventions:
976 * - ResourceLoader::makeLoaderRegisterScript( $name, $version, $dependencies, $group, $source ):
977 * Register a single module.
979 * - ResourceLoader::makeLoaderRegisterScript( array( $name1, $name2 ) ):
980 * Register modules with the given names.
982 * - ResourceLoader::makeLoaderRegisterScript( array(
983 * array( $name1, $version1, $dependencies1, $group1, $source1 ),
984 * array( $name2, $version2, $dependencies1, $group2, $source2 ),
987 * Registers modules with the given names and parameters.
989 * @param string $name Module name
990 * @param $version Integer: Module version number as a timestamp
991 * @param array $dependencies List of module names on which this module depends
992 * @param string $group group which the module is in.
993 * @param string $source source of the module, or 'local' if not foreign
997 public static function makeLoaderRegisterScript( $name, $version = null,
998 $dependencies = null, $group = null, $source = null
1000 if ( is_array( $name ) ) {
1001 return Xml
::encodeJsCall( 'mw.loader.register', array( $name ) );
1003 $version = (int)$version > 1 ?
(int)$version : 1;
1004 return Xml
::encodeJsCall( 'mw.loader.register',
1005 array( $name, $version, $dependencies, $group, $source ) );
1010 * Returns JS code which calls mw.loader.addSource() with the given
1011 * parameters. Has two calling conventions:
1013 * - ResourceLoader::makeLoaderSourcesScript( $id, $properties ):
1014 * Register a single source
1016 * - ResourceLoader::makeLoaderSourcesScript( array( $id1 => $props1, $id2 => $props2, ... ) );
1017 * Register sources with the given IDs and properties.
1019 * @param string $id source ID
1020 * @param array $properties source properties (see addSource())
1024 public static function makeLoaderSourcesScript( $id, $properties = null ) {
1025 if ( is_array( $id ) ) {
1026 return Xml
::encodeJsCall( 'mw.loader.addSource', array( $id ) );
1028 return Xml
::encodeJsCall( 'mw.loader.addSource', array( $id, $properties ) );
1033 * Returns JS code which runs given JS code if the client-side framework is
1036 * @param string $script JavaScript code
1040 public static function makeLoaderConditionalScript( $script ) {
1041 return "if(window.mw){\n" . trim( $script ) . "\n}";
1045 * Returns JS code which will set the MediaWiki configuration array to
1048 * @param array $configuration List of configuration values keyed by variable name
1052 public static function makeConfigSetScript( array $configuration ) {
1053 return Xml
::encodeJsCall( 'mw.config.set', array( $configuration ), ResourceLoader
::inDebugMode() );
1057 * Convert an array of module names to a packed query string.
1059 * For example, array( 'foo.bar', 'foo.baz', 'bar.baz', 'bar.quux' )
1060 * becomes 'foo.bar,baz|bar.baz,quux'
1061 * @param array $modules of module names (strings)
1062 * @return string Packed query string
1064 public static function makePackedModulesString( $modules ) {
1065 $groups = array(); // array( prefix => array( suffixes ) )
1066 foreach ( $modules as $module ) {
1067 $pos = strrpos( $module, '.' );
1068 $prefix = $pos === false ?
'' : substr( $module, 0, $pos );
1069 $suffix = $pos === false ?
$module : substr( $module, $pos +
1 );
1070 $groups[$prefix][] = $suffix;
1074 foreach ( $groups as $prefix => $suffixes ) {
1075 $p = $prefix === '' ?
'' : $prefix . '.';
1076 $arr[] = $p . implode( ',', $suffixes );
1078 $str = implode( '|', $arr );
1083 * Determine whether debug mode was requested
1084 * Order of priority is 1) request param, 2) cookie, 3) $wg setting
1087 public static function inDebugMode() {
1088 global $wgRequest, $wgResourceLoaderDebug;
1089 static $retval = null;
1090 if ( !is_null( $retval ) ) {
1093 return $retval = $wgRequest->getFuzzyBool( 'debug',
1094 $wgRequest->getCookie( 'resourceLoaderDebug', '', $wgResourceLoaderDebug ) );
1098 * Build a load.php URL
1099 * @param array $modules of module names (strings)
1100 * @param string $lang Language code
1101 * @param string $skin Skin name
1102 * @param string|null $user User name. If null, the &user= parameter is omitted
1103 * @param string|null $version Versioning timestamp
1104 * @param bool $debug Whether the request should be in debug mode
1105 * @param string|null $only &only= parameter
1106 * @param bool $printable Printable mode
1107 * @param bool $handheld Handheld mode
1108 * @param array $extraQuery Extra query parameters to add
1109 * @return string URL to load.php. May be protocol-relative (if $wgLoadScript is procol-relative)
1111 public static function makeLoaderURL( $modules, $lang, $skin, $user = null, $version = null, $debug = false, $only = null,
1112 $printable = false, $handheld = false, $extraQuery = array() ) {
1113 global $wgLoadScript;
1114 $query = self
::makeLoaderQuery( $modules, $lang, $skin, $user, $version, $debug,
1115 $only, $printable, $handheld, $extraQuery
1118 // Prevent the IE6 extension check from being triggered (bug 28840)
1119 // by appending a character that's invalid in Windows extensions ('*')
1120 return wfExpandUrl( wfAppendQuery( $wgLoadScript, $query ) . '&*', PROTO_RELATIVE
);
1124 * Build a query array (array representation of query string) for load.php. Helper
1125 * function for makeLoaderURL().
1128 public static function makeLoaderQuery( $modules, $lang, $skin, $user = null, $version = null, $debug = false, $only = null,
1129 $printable = false, $handheld = false, $extraQuery = array() ) {
1131 'modules' => self
::makePackedModulesString( $modules ),
1134 'debug' => $debug ?
'true' : 'false',
1136 if ( $user !== null ) {
1137 $query['user'] = $user;
1139 if ( $version !== null ) {
1140 $query['version'] = $version;
1142 if ( $only !== null ) {
1143 $query['only'] = $only;
1146 $query['printable'] = 1;
1149 $query['handheld'] = 1;
1151 $query +
= $extraQuery;
1153 // Make queries uniform in order
1159 * Check a module name for validity.
1161 * Module names may not contain pipes (|), commas (,) or exclamation marks (!) and can be
1162 * at most 255 bytes.
1164 * @param string $moduleName Module name to check
1165 * @return bool Whether $moduleName is a valid module name
1167 public static function isValidModuleName( $moduleName ) {
1168 return !preg_match( '/[|,!]/', $moduleName ) && strlen( $moduleName ) <= 255;