2 * Base library for MediaWiki.
4 * Exposed globally as `mediaWiki` with `mw` as shortcut.
7 * @alternateClassName mediaWiki
12 /* eslint-disable no-use-before-define */
17 var mw, StringSet, log,
18 hasOwn = Object.prototype.hasOwnProperty,
19 slice = Array.prototype.slice,
20 trackCallbacks = $.Callbacks( 'memory' ),
25 * FNV132 hash function
27 * This function implements the 32-bit version of FNV-1.
28 * It is equivalent to hash( 'fnv132', ... ) in PHP, except
29 * its output is base 36 rather than hex.
30 * See <https://en.wikipedia.org/wiki/FNV_hash_function>
33 * @param {string} str String to hash
34 * @return {string} hash as an seven-character base 36 string
36 function fnv132( str ) {
37 /* eslint-disable no-bitwise */
38 var hash = 0x811C9DC5,
41 for ( i = 0; i < str.length; i++ ) {
42 hash += ( hash << 1 ) + ( hash << 4 ) + ( hash << 7 ) + ( hash << 8 ) + ( hash << 24 );
43 hash ^= str.charCodeAt( i );
46 hash = ( hash >>> 0 ).toString( 36 );
47 while ( hash.length < 7 ) {
52 /* eslint-enable no-bitwise */
55 // <https://developer.mozilla.org/en/docs/Web/JavaScript/Reference/Global_Objects/Set>
56 StringSet = window.Set || ( function () {
61 function StringSet() {
64 StringSet.prototype.add = function ( value ) {
65 this.set[ value ] = true;
67 StringSet.prototype.has = function ( value ) {
68 return hasOwn.call( this.set, value );
74 * Create an object that can be read from or written to via methods that allow
75 * interaction both with single and multiple properties at once.
81 * @param {boolean} [global=false] Whether to synchronise =values to the global
82 * window object (for backwards-compatibility with mw.config; T72470). Values are
83 * copied in one direction only. Changes to globals do not reflect in the map.
85 function Map( global ) {
87 if ( global === true ) {
88 // Override #set to also set the global variable
89 this.set = function ( selection, value ) {
92 if ( $.isPlainObject( selection ) ) {
93 for ( s in selection ) {
94 setGlobalMapValue( this, s, selection[ s ] );
98 if ( typeof selection === 'string' && arguments.length ) {
99 setGlobalMapValue( this, selection, value );
108 * Alias property to the global object.
112 * @param {mw.Map} map
113 * @param {string} key
114 * @param {Mixed} value
116 function setGlobalMapValue( map, key, value ) {
117 map.values[ key ] = value;
122 // Deprecation notice for mw.config globals (T58550, T72470)
123 map === mw.config && 'Use mw.config instead.'
131 * Get the value of one or more keys.
133 * If called with no arguments, all values are returned.
135 * @param {string|Array} [selection] Key or array of keys to retrieve values for.
136 * @param {Mixed} [fallback=null] Value for keys that don't exist.
137 * @return {Mixed|Object|null} If selection was a string, returns the value,
138 * If selection was an array, returns an object of key/values.
139 * If no selection is passed, a new object with all key/values is returned.
141 get: function ( selection, fallback ) {
143 fallback = arguments.length > 1 ? fallback : null;
145 if ( $.isArray( selection ) ) {
147 for ( i = 0; i < selection.length; i++ ) {
148 if ( typeof selection[ i ] === 'string' ) {
149 results[ selection[ i ] ] = hasOwn.call( this.values, selection[ i ] ) ?
150 this.values[ selection[ i ] ] :
157 if ( typeof selection === 'string' ) {
158 return hasOwn.call( this.values, selection ) ?
159 this.values[ selection ] :
163 if ( selection === undefined ) {
165 for ( i in this.values ) {
166 results[ i ] = this.values[ i ];
171 // Invalid selection key
176 * Set one or more key/value pairs.
178 * @param {string|Object} selection Key to set value for, or object mapping keys to values
179 * @param {Mixed} [value] Value to set (optional, only in use when key is a string)
180 * @return {boolean} True on success, false on failure
182 set: function ( selection, value ) {
185 if ( $.isPlainObject( selection ) ) {
186 for ( s in selection ) {
187 this.values[ s ] = selection[ s ];
191 if ( typeof selection === 'string' && arguments.length > 1 ) {
192 this.values[ selection ] = value;
199 * Check if one or more keys exist.
201 * @param {Mixed} selection Key or array of keys to check
202 * @return {boolean} True if the key(s) exist
204 exists: function ( selection ) {
206 if ( $.isArray( selection ) ) {
207 for ( i = 0; i < selection.length; i++ ) {
208 if ( typeof selection[ i ] !== 'string' || !hasOwn.call( this.values, selection[ i ] ) ) {
214 return typeof selection === 'string' && hasOwn.call( this.values, selection );
219 * Object constructor for messages.
221 * Similar to the Message class in MediaWiki PHP.
223 * Format defaults to 'text'.
229 * 'hello': 'Hello world',
230 * 'hello-user': 'Hello, $1!',
231 * 'welcome-user': 'Welcome back to $2, $1! Last visit by $1: $3'
234 * obj = new mw.Message( mw.messages, 'hello' );
235 * mw.log( obj.text() );
238 * obj = new mw.Message( mw.messages, 'hello-user', [ 'John Doe' ] );
239 * mw.log( obj.text() );
240 * // Hello, John Doe!
242 * obj = new mw.Message( mw.messages, 'welcome-user', [ 'John Doe', 'Wikipedia', '2 hours ago' ] );
243 * mw.log( obj.text() );
244 * // Welcome back to Wikipedia, John Doe! Last visit by John Doe: 2 hours ago
246 * // Using mw.message shortcut
247 * obj = mw.message( 'hello-user', 'John Doe' );
248 * mw.log( obj.text() );
249 * // Hello, John Doe!
251 * // Using mw.msg shortcut
252 * str = mw.msg( 'hello-user', 'John Doe' );
254 * // Hello, John Doe!
256 * // Different formats
257 * obj = new mw.Message( mw.messages, 'hello-user', [ 'John "Wiki" <3 Doe' ] );
259 * obj.format = 'text';
260 * str = obj.toString();
265 * // Hello, John "Wiki" <3 Doe!
267 * mw.log( obj.escaped() );
268 * // Hello, John "Wiki" <3 Doe!
273 * @param {mw.Map} map Message store
274 * @param {string} key
275 * @param {Array} [parameters]
277 function Message( map, key, parameters ) {
278 this.format = 'text';
281 this.parameters = parameters === undefined ? [] : slice.call( parameters );
285 Message.prototype = {
287 * Get parsed contents of the message.
289 * The default parser does simple $N replacements and nothing else.
290 * This may be overridden to provide a more complex message parser.
291 * The primary override is in the mediawiki.jqueryMsg module.
293 * This function will not be called for nonexistent messages.
295 * @return {string} Parsed message
297 parser: function () {
298 return mw.format.apply( null, [ this.map.get( this.key ) ].concat( this.parameters ) );
301 // eslint-disable-next-line valid-jsdoc
303 * Add (does not replace) parameters for `$N` placeholder values.
305 * @param {Array} parameters
308 params: function ( parameters ) {
310 for ( i = 0; i < parameters.length; i++ ) {
311 this.parameters.push( parameters[ i ] );
317 * Convert message object to its string form based on current format.
319 * @return {string} Message as a string in the current form, or `<key>` if key
322 toString: function () {
325 if ( !this.exists() ) {
326 // Use ⧼key⧽ as text if key does not exist
327 // Err on the side of safety, ensure that the output
328 // is always html safe in the event the message key is
329 // missing, since in that case its highly likely the
330 // message key is user-controlled.
331 // '⧼' is used instead of '<' to side-step any
332 // double-escaping issues.
333 // (Keep synchronised with Message::toString() in PHP.)
334 return '⧼' + mw.html.escape( this.key ) + '⧽';
337 if ( this.format === 'plain' || this.format === 'text' || this.format === 'parse' ) {
338 text = this.parser();
341 if ( this.format === 'escaped' ) {
342 text = this.parser();
343 text = mw.html.escape( text );
350 * Change format to 'parse' and convert message to string
352 * If jqueryMsg is loaded, this parses the message text from wikitext
353 * (where supported) to HTML
355 * Otherwise, it is equivalent to plain.
357 * @return {string} String form of parsed message
360 this.format = 'parse';
361 return this.toString();
365 * Change format to 'plain' and convert message to string
367 * This substitutes parameters, but otherwise does not change the
370 * @return {string} String form of plain message
373 this.format = 'plain';
374 return this.toString();
378 * Change format to 'text' and convert message to string
380 * If jqueryMsg is loaded, {{-transformation is done where supported
381 * (such as {{plural:}}, {{gender:}}, {{int:}}).
383 * Otherwise, it is equivalent to plain
385 * @return {string} String form of text message
388 this.format = 'text';
389 return this.toString();
393 * Change the format to 'escaped' and convert message to string
395 * This is equivalent to using the 'text' format (see #text), then
396 * HTML-escaping the output.
398 * @return {string} String form of html escaped message
400 escaped: function () {
401 this.format = 'escaped';
402 return this.toString();
406 * Check if a message exists
411 exists: function () {
412 return this.map.exists( this.key );
416 /* eslint-disable no-console */
417 log = ( function () {
418 // Also update the restoration of methods in mediawiki.log.js
419 // when adding or removing methods here.
420 var log = function () {},
421 console = window.console;
429 * Write a message to the console's warning channel.
430 * Actions not supported by the browser console are silently ignored.
432 * @param {...string} msg Messages to output to console
434 log.warn = console && console.warn && Function.prototype.bind ?
435 Function.prototype.bind.call( console.warn, console ) :
439 * Write a message to the console's error channel.
441 * Most browsers provide a stacktrace by default if the argument
442 * is a caught Error object.
445 * @param {Error|...string} msg Messages to output to console
447 log.error = console && console.error && Function.prototype.bind ?
448 Function.prototype.bind.call( console.error, console ) :
452 * Create a property in a host object that, when accessed, will produce
453 * a deprecation warning in the console.
455 * @param {Object} obj Host object of deprecated property
456 * @param {string} key Name of property to create in `obj`
457 * @param {Mixed} val The value this property should return when accessed
458 * @param {string} [msg] Optional text to include in the deprecation message
459 * @param {string} [logName=key] Optional custom name for the feature.
460 * This is used instead of `key` in the message and `mw.deprecate` tracking.
462 log.deprecate = !Object.defineProperty ? function ( obj, key, val ) {
464 } : function ( obj, key, val, msg, logName ) {
465 var logged = new StringSet();
466 logName = logName || key;
467 msg = 'Use of "' + logName + '" is deprecated.' + ( msg ? ( ' ' + msg ) : '' );
468 function uniqueTrace() {
469 var trace = new Error().stack;
470 if ( logged.has( trace ) ) {
476 // Support: Safari 5.0
477 // Throws "not supported on DOM Objects" for Node or Element objects (incl. document)
478 // Safari 4.0 doesn't have this method, and it was fixed in Safari 5.1.
480 Object.defineProperty( obj, key, {
484 if ( uniqueTrace() ) {
485 mw.track( 'mw.deprecate', logName );
490 set: function ( newVal ) {
491 if ( uniqueTrace() ) {
492 mw.track( 'mw.deprecate', logName );
505 /* eslint-enable no-console */
513 * Get the current time, measured in milliseconds since January 1, 1970 (UTC).
515 * On browsers that implement the Navigation Timing API, this function will produce floating-point
516 * values with microsecond precision that are guaranteed to be monotonic. On all other browsers,
517 * it will fall back to using `Date`.
519 * @return {number} Current time
522 // mwNow is defined in startup.js
525 * Format a string. Replace $1, $2 ... $N with positional arguments.
527 * Used by Message#parser().
530 * @param {string} formatString Format string
531 * @param {...Mixed} parameters Values for $N replacements
532 * @return {string} Formatted string
534 format: function ( formatString ) {
535 var parameters = slice.call( arguments, 1 );
536 return formatString.replace( /\$(\d+)/g, function ( str, match ) {
537 var index = parseInt( match, 10 ) - 1;
538 return parameters[ index ] !== undefined ? parameters[ index ] : '$' + match;
543 * Track an analytic event.
545 * This method provides a generic means for MediaWiki JavaScript code to capture state
546 * information for analysis. Each logged event specifies a string topic name that describes
547 * the kind of event that it is. Topic names consist of dot-separated path components,
548 * arranged from most general to most specific. Each path component should have a clear and
549 * well-defined purpose.
551 * Data handlers are registered via `mw.trackSubscribe`, and receive the full set of
552 * events that match their subcription, including those that fired before the handler was
555 * @param {string} topic Topic name
556 * @param {Object} [data] Data describing the event, encoded as an object
558 track: function ( topic, data ) {
559 trackQueue.push( { topic: topic, timeStamp: mw.now(), data: data } );
560 trackCallbacks.fire( trackQueue );
564 * Register a handler for subset of analytic events, specified by topic.
566 * Handlers will be called once for each tracked event, including any events that fired before the
567 * handler was registered; 'this' is set to a plain object with a 'timeStamp' property indicating
568 * the exact time at which the event fired, a string 'topic' property naming the event, and a
569 * 'data' property which is an object of event-specific data. The event topic and event data are
570 * also passed to the callback as the first and second arguments, respectively.
572 * @param {string} topic Handle events whose name starts with this string prefix
573 * @param {Function} callback Handler to call for each matching tracked event
574 * @param {string} callback.topic
575 * @param {Object} [callback.data]
577 trackSubscribe: function ( topic, callback ) {
579 function handler( trackQueue ) {
581 for ( ; seen < trackQueue.length; seen++ ) {
582 event = trackQueue[ seen ];
583 if ( event.topic.indexOf( topic ) === 0 ) {
584 callback.call( event, event.topic, event.data );
589 trackHandlers.push( [ handler, callback ] );
591 trackCallbacks.add( handler );
595 * Stop handling events for a particular handler
597 * @param {Function} callback
599 trackUnsubscribe: function ( callback ) {
600 trackHandlers = $.grep( trackHandlers, function ( fns ) {
601 if ( fns[ 1 ] === callback ) {
602 trackCallbacks.remove( fns[ 0 ] );
603 // Ensure the tuple is removed to avoid holding on to closures
610 // Expose Map constructor
613 // Expose Message constructor
617 * Map of configuration values.
619 * Check out [the complete list of configuration values](https://www.mediawiki.org/wiki/Manual:Interface/JavaScript#mw.config)
622 * If `$wgLegacyJavaScriptGlobals` is true, this Map will add its values to the
623 * global `window` object.
625 * @property {mw.Map} config
627 // Dummy placeholder later assigned in ResourceLoaderStartUpModule
631 * Empty object for third-party libraries, for cases where you don't
632 * want to add a new global, or the global is bad and needs containment
640 * Access container for deprecated functionality that can be moved from
641 * from their legacy location and attached to this object (e.g. a global
642 * function that is deprecated and as stop-gap can be exposed through here).
644 * This was reserved for future use but never ended up being used.
646 * @deprecated since 1.22 Let deprecated identifiers keep their original name
647 * and use mw.log#deprecate to create an access container for tracking.
653 * Store for messages.
660 * Store for templates associated with a module.
664 templates: new Map(),
667 * Get a message object.
669 * Shortcut for `new mw.Message( mw.messages, key, parameters )`.
672 * @param {string} key Key of message to get
673 * @param {...Mixed} parameters Values for $N replacements
674 * @return {mw.Message}
676 message: function ( key ) {
677 var parameters = slice.call( arguments, 1 );
678 return new Message( mw.messages, key, parameters );
682 * Get a message string using the (default) 'text' format.
684 * Shortcut for `mw.message( key, parameters... ).text()`.
687 * @param {string} key Key of message to get
688 * @param {...Mixed} parameters Values for $N replacements
692 return mw.message.apply( mw.message, arguments ).toString();
696 * No-op dummy placeholder for {@link mw.log} in debug mode.
703 * Client for ResourceLoader server end point.
705 * This client is in charge of maintaining the module registry and state
706 * machine, initiating network (batch) requests for loading modules, as
707 * well as dependency resolution and execution of source code.
709 * For more information, refer to
710 * <https://www.mediawiki.org/wiki/ResourceLoader/Features>
715 loader: ( function () {
718 * Fired via mw.track on various resource loading errors.
720 * @event resourceloader_exception
721 * @param {Error|Mixed} e The error that was thrown. Almost always an Error
722 * object, but in theory module code could manually throw something else, and that
723 * might also end up here.
724 * @param {string} [module] Name of the module which caused the error. Omitted if the
725 * error is not module-related or the module cannot be easily identified due to
727 * @param {string} source Source of the error. Possible values:
729 * - style: stylesheet error (only affects old IE where a special style loading method
731 * - load-callback: exception thrown by user callback
732 * - module-execute: exception thrown by module code
733 * - store-eval: could not evaluate module code cached in localStorage
734 * - store-localstorage-init: localStorage or JSON parse error in mw.loader.store.init
735 * - store-localstorage-json: JSON conversion error in mw.loader.store.set
736 * - store-localstorage-update: localStorage or JSON conversion error in mw.loader.store.update
740 * Fired via mw.track on resource loading error conditions.
742 * @event resourceloader_assert
743 * @param {string} source Source of the error. Possible values:
745 * - bug-T59567: failed to cache script due to an Opera function -> string conversion
746 * bug; see <https://phabricator.wikimedia.org/T59567> for details
750 * Mapping of registered modules.
752 * See #implement and #execute for exact details on support for script, style and messages.
758 * // From mw.loader.register()
759 * 'version': '########' (hash)
760 * 'dependencies': ['required.foo', 'bar.also', ...], (or) function () {}
761 * 'group': 'somegroup', (or) null
762 * 'source': 'local', (or) 'anotherwiki'
763 * 'skip': 'return !!window.Example', (or) null
764 * 'module': export Object
766 * // Set from execute() or mw.loader.state()
767 * 'state': 'registered', 'loaded', 'loading', 'ready', 'error', or 'missing'
769 * // Optionally added at run-time by mw.loader.implement()
771 * 'script': closure, array of urls, or string
772 * 'style': { ... } (see #execute)
773 * 'messages': { 'key': 'value', ... }
780 * The module is known to the system but not yet required.
781 * Meta data is registered via mw.loader#register. Calls to that method are
782 * generated server-side by the startup module.
784 * The module was required through mw.loader (either directly or as dependency of
785 * another module). The client will fetch module contents from the server.
786 * The contents are then stashed in the registry via mw.loader#implement.
788 * The module has been loaded from the server and stashed via mw.loader#implement.
789 * If the module has no more dependencies in-flight, the module will be executed
790 * immediately. Otherwise execution is deferred, controlled via #handlePending.
792 * The module is being executed.
794 * The module has been successfully executed.
796 * The module (or one of its dependencies) produced an error during execution.
798 * The module was registered client-side and requested, but the server denied knowledge
799 * of the module's existence.
805 // Mapping of sources, keyed by source-id, values are strings.
810 // 'sourceId': 'http://example.org/w/load.php'
815 // For queueModuleScript()
816 handlingPendingRequests = false,
817 pendingRequests = [],
819 // List of modules to be loaded
823 * List of callback jobs waiting for modules to be ready.
825 * Jobs are created by #enqueue() and run by #handlePending().
827 * Typically when a job is created for a module, the job's dependencies contain
828 * both the required module and all its recursive dependencies.
833 * 'dependencies': [ module names ],
834 * 'ready': Function callback
835 * 'error': Function callback
838 * @property {Object[]} jobs
846 // For addEmbeddedCSS()
848 cssBufferTimer = null,
849 cssCallbacks = $.Callbacks(),
850 isIE9 = document.documentMode === 9,
851 rAF = window.requestAnimationFrame || setTimeout;
853 function getMarker() {
856 marker = document.querySelector( 'meta[name="ResourceLoaderDynamicStyles"]' );
858 mw.log( 'Create <meta name="ResourceLoaderDynamicStyles"> dynamically' );
859 marker = $( '<meta>' ).attr( 'name', 'ResourceLoaderDynamicStyles' ).appendTo( 'head' )[ 0 ];
866 * Create a new style element and add it to the DOM.
869 * @param {string} text CSS text
870 * @param {Node} [nextNode] The element where the style tag
871 * should be inserted before
872 * @return {HTMLElement} Reference to the created style element
874 function newStyleTag( text, nextNode ) {
875 var s = document.createElement( 'style' );
877 s.appendChild( document.createTextNode( text ) );
878 if ( nextNode && nextNode.parentNode ) {
879 nextNode.parentNode.insertBefore( s, nextNode );
881 document.getElementsByTagName( 'head' )[ 0 ].appendChild( s );
888 * Add a bit of CSS text to the current browser page.
890 * The CSS will be appended to an existing ResourceLoader-created `<style>` tag
891 * or create a new one based on whether the given `cssText` is safe for extension.
894 * @param {string} [cssText=cssBuffer] If called without cssText,
895 * the internal buffer will be inserted instead.
896 * @param {Function} [callback]
898 function addEmbeddedCSS( cssText, callback ) {
901 function fireCallbacks() {
902 var oldCallbacks = cssCallbacks;
903 // Reset cssCallbacks variable so it's not polluted by any calls to
904 // addEmbeddedCSS() from one of the callbacks (T105973)
905 cssCallbacks = $.Callbacks();
906 oldCallbacks.fire().empty();
910 cssCallbacks.add( callback );
913 // Yield once before creating the <style> tag. This lets multiple stylesheets
914 // accumulate into one buffer, allowing us to reduce how often new stylesheets
915 // are inserted in the browser. Appending a stylesheet and waiting for the
916 // browser to repaint is fairly expensive. (T47810)
918 // Don't extend the buffer if the item needs its own stylesheet.
919 // Keywords like `@import` are only valid at the start of a stylesheet (T37562).
920 if ( !cssBuffer || cssText.slice( 0, '@import'.length ) !== '@import' ) {
921 // Linebreak for somewhat distinguishable sections
922 cssBuffer += '\n' + cssText;
923 if ( !cssBufferTimer ) {
924 cssBufferTimer = rAF( function () {
925 // Wrap in anonymous function that takes no arguments
926 // Support: Firefox < 13
927 // Firefox 12 has non-standard behaviour of passing a number
928 // as first argument to a setTimeout callback.
929 // http://benalman.com/news/2009/07/the-mysterious-firefox-settime/
936 // This is a scheduled flush for the buffer
938 cssBufferTimer = null;
943 // By default, always create a new <style>. Appending text to a <style> tag is
944 // is a performance anti-pattern as it requires CSS to be reparsed (T47810).
947 // Try to re-use existing <style> tags due to the IE stylesheet limit (T33676).
949 $style = $( getMarker() ).prev();
950 // Verify that the element before the marker actually is a <style> tag created
951 // by mw.loader (not some other style tag, or e.g. a <meta> tag).
952 if ( $style.data( 'ResourceLoaderDynamicStyleTag' ) ) {
953 styleEl = $style[ 0 ];
954 styleEl.appendChild( document.createTextNode( cssText ) );
958 // Else: No existing tag to reuse. Continue below and create the first one.
961 $style = $( newStyleTag( cssText, getMarker() ) );
964 $style.data( 'ResourceLoaderDynamicStyleTag', true );
972 * @param {Array} modules List of module names
973 * @return {string} Hash of concatenated version hashes.
975 function getCombinedVersion( modules ) {
976 var hashes = $.map( modules, function ( module ) {
977 return registry[ module ].version;
979 return fnv132( hashes.join( '' ) );
983 * Determine whether all dependencies are in state 'ready', which means we may
984 * execute the module or job now.
987 * @param {Array} modules Names of modules to be checked
988 * @return {boolean} True if all modules are in state 'ready', false otherwise
990 function allReady( modules ) {
992 for ( i = 0; i < modules.length; i++ ) {
993 if ( mw.loader.getState( modules[ i ] ) !== 'ready' ) {
1001 * Determine whether all dependencies are in state 'ready', which means we may
1002 * execute the module or job now.
1005 * @param {Array} modules Names of modules to be checked
1006 * @return {boolean} True if no modules are in state 'error' or 'missing', false otherwise
1008 function anyFailed( modules ) {
1010 for ( i = 0; i < modules.length; i++ ) {
1011 state = mw.loader.getState( modules[ i ] );
1012 if ( state === 'error' || state === 'missing' ) {
1020 * A module has entered state 'ready', 'error', or 'missing'. Automatically update
1021 * pending jobs and modules that depend upon this module. If the given module failed,
1022 * propagate the 'error' state up the dependency tree. Otherwise, go ahead and execute
1023 * all jobs/modules now having their dependencies satisfied.
1025 * Jobs that depend on a failed module, will have their error callback ran (if any).
1028 * @param {string} module Name of module that entered one of the states 'ready', 'error', or 'missing'.
1030 function handlePending( module ) {
1031 var j, job, hasErrors, m, stateChange;
1033 if ( registry[ module ].state === 'error' || registry[ module ].state === 'missing' ) {
1034 // If the current module failed, mark all dependent modules also as failed.
1035 // Iterate until steady-state to propagate the error state upwards in the
1038 stateChange = false;
1039 for ( m in registry ) {
1040 if ( registry[ m ].state !== 'error' && registry[ m ].state !== 'missing' ) {
1041 if ( anyFailed( registry[ m ].dependencies ) ) {
1042 registry[ m ].state = 'error';
1047 } while ( stateChange );
1050 // Execute all jobs whose dependencies are either all satisfied or contain at least one failed module.
1051 for ( j = 0; j < jobs.length; j++ ) {
1052 hasErrors = anyFailed( jobs[ j ].dependencies );
1053 if ( hasErrors || allReady( jobs[ j ].dependencies ) ) {
1054 // All dependencies satisfied, or some have errors
1056 jobs.splice( j, 1 );
1060 if ( typeof job.error === 'function' ) {
1061 job.error( new Error( 'Module ' + module + ' has failed dependencies' ), [ module ] );
1064 if ( typeof job.ready === 'function' ) {
1069 // A user-defined callback raised an exception.
1070 // Swallow it to protect our state machine!
1071 mw.track( 'resourceloader.exception', { exception: e, module: module, source: 'load-callback' } );
1076 if ( registry[ module ].state === 'ready' ) {
1077 // The current module became 'ready'. Set it in the module store, and recursively execute all
1078 // dependent modules that are loaded and now have all dependencies satisfied.
1079 mw.loader.store.set( module, registry[ module ] );
1080 for ( m in registry ) {
1081 if ( registry[ m ].state === 'loaded' && allReady( registry[ m ].dependencies ) ) {
1089 * Resolve dependencies and detect circular references.
1092 * @param {string} module Name of the top-level module whose dependencies shall be
1093 * resolved and sorted.
1094 * @param {Array} resolved Returns a topological sort of the given module and its
1095 * dependencies, such that later modules depend on earlier modules. The array
1096 * contains the module names. If the array contains already some module names,
1097 * this function appends its result to the pre-existing array.
1098 * @param {StringSet} [unresolved] Used to track the current dependency
1099 * chain, and to report loops in the dependency graph.
1100 * @throws {Error} If any unregistered module or a dependency loop is encountered
1102 function sortDependencies( module, resolved, unresolved ) {
1105 if ( !hasOwn.call( registry, module ) ) {
1106 throw new Error( 'Unknown dependency: ' + module );
1109 if ( registry[ module ].skip !== null ) {
1110 // eslint-disable-next-line no-new-func
1111 skip = new Function( registry[ module ].skip );
1112 registry[ module ].skip = null;
1114 registry[ module ].skipped = true;
1115 registry[ module ].dependencies = [];
1116 registry[ module ].state = 'ready';
1117 handlePending( module );
1122 // Resolves dynamic loader function and replaces it with its own results
1123 if ( typeof registry[ module ].dependencies === 'function' ) {
1124 registry[ module ].dependencies = registry[ module ].dependencies();
1125 // Ensures the module's dependencies are always in an array
1126 if ( typeof registry[ module ].dependencies !== 'object' ) {
1127 registry[ module ].dependencies = [ registry[ module ].dependencies ];
1130 if ( $.inArray( module, resolved ) !== -1 ) {
1131 // Module already resolved; nothing to do
1134 // Create unresolved if not passed in
1135 if ( !unresolved ) {
1136 unresolved = new StringSet();
1138 // Tracks down dependencies
1139 deps = registry[ module ].dependencies;
1140 for ( i = 0; i < deps.length; i++ ) {
1141 if ( $.inArray( deps[ i ], resolved ) === -1 ) {
1142 if ( unresolved.has( deps[ i ] ) ) {
1143 throw new Error( mw.format(
1144 'Circular reference detected: $1 -> $2',
1150 unresolved.add( module );
1151 sortDependencies( deps[ i ], resolved, unresolved );
1154 resolved.push( module );
1158 * Get names of module that a module depends on, in their proper dependency order.
1161 * @param {string[]} modules Array of string module names
1162 * @return {Array} List of dependencies, including 'module'.
1163 * @throws {Error} If an unregistered module or a dependency loop is encountered
1165 function resolve( modules ) {
1166 var i, resolved = [];
1167 for ( i = 0; i < modules.length; i++ ) {
1168 sortDependencies( modules[ i ], resolved );
1174 * Load and execute a script.
1177 * @param {string} src URL to script, will be used as the src attribute in the script tag
1178 * @return {jQuery.Promise}
1180 function addScript( src ) {
1184 // Force jQuery behaviour to be for crossDomain. Otherwise jQuery would use
1185 // XHR for a same domain request instead of <script>, which changes the request
1186 // headers (potentially missing a cache hit), and reduces caching in general
1187 // since browsers cache XHR much less (if at all). And XHR means we retrieve
1188 // text, so we'd need to $.globalEval, which then messes up line numbers.
1195 * Queue the loading and execution of a script for a particular module.
1198 * @param {string} src URL of the script
1199 * @param {string} [moduleName] Name of currently executing module
1200 * @return {jQuery.Promise}
1202 function queueModuleScript( src, moduleName ) {
1203 var r = $.Deferred();
1205 pendingRequests.push( function () {
1206 if ( moduleName && hasOwn.call( registry, moduleName ) ) {
1207 // Emulate runScript() part of execute()
1208 window.require = mw.loader.require;
1209 window.module = registry[ moduleName ].module;
1211 addScript( src ).always( function () {
1212 // 'module.exports' should not persist after the file is executed to
1213 // avoid leakage to unrelated code. 'require' should be kept, however,
1214 // as asynchronous access to 'require' is allowed and expected. (T144879)
1215 delete window.module;
1218 // Start the next one (if any)
1219 if ( pendingRequests[ 0 ] ) {
1220 pendingRequests.shift()();
1222 handlingPendingRequests = false;
1226 if ( !handlingPendingRequests && pendingRequests[ 0 ] ) {
1227 handlingPendingRequests = true;
1228 pendingRequests.shift()();
1234 * Utility function for execute()
1237 * @param {string} [media] Media attribute
1238 * @param {string} url URL
1240 function addLink( media, url ) {
1241 var el = document.createElement( 'link' );
1243 el.rel = 'stylesheet';
1244 if ( media && media !== 'all' ) {
1247 // If you end up here from an IE exception "SCRIPT: Invalid property value.",
1248 // see #addEmbeddedCSS, T33676, and T49277 for details.
1251 $( getMarker() ).before( el );
1255 * Executes a loaded module, making it ready to use
1258 * @param {string} module Module name to execute
1260 function execute( module ) {
1261 var key, value, media, i, urls, cssHandle, checkCssHandles, runScript,
1262 cssHandlesRegistered = false;
1264 if ( !hasOwn.call( registry, module ) ) {
1265 throw new Error( 'Module has not been registered yet: ' + module );
1267 if ( registry[ module ].state !== 'loaded' ) {
1268 throw new Error( 'Module in state "' + registry[ module ].state + '" may not be executed: ' + module );
1271 registry[ module ].state = 'executing';
1273 runScript = function () {
1274 var script, markModuleReady, nestedAddScript, legacyWait, implicitDependencies,
1275 // Expand to include dependencies since we have to exclude both legacy modules
1276 // and their dependencies from the legacyWait (to prevent a circular dependency).
1277 legacyModules = resolve( mw.config.get( 'wgResourceLoaderLegacyModules', [] ) );
1279 script = registry[ module ].script;
1280 markModuleReady = function () {
1281 registry[ module ].state = 'ready';
1282 handlePending( module );
1284 nestedAddScript = function ( arr, callback, i ) {
1285 // Recursively call queueModuleScript() in its own callback
1286 // for each element of arr.
1287 if ( i >= arr.length ) {
1288 // We're at the end of the array
1293 queueModuleScript( arr[ i ], module ).always( function () {
1294 nestedAddScript( arr, callback, i + 1 );
1298 implicitDependencies = ( $.inArray( module, legacyModules ) !== -1 ) ?
1302 if ( module === 'user' ) {
1303 // Implicit dependency on the site module. Not real dependency because
1304 // it should run after 'site' regardless of whether it succeeds or fails.
1305 implicitDependencies.push( 'site' );
1308 legacyWait = implicitDependencies.length ?
1309 mw.loader.using( implicitDependencies ) :
1310 $.Deferred().resolve();
1312 legacyWait.always( function () {
1314 if ( $.isArray( script ) ) {
1315 nestedAddScript( script, markModuleReady, 0 );
1316 } else if ( typeof script === 'function' ) {
1317 // Pass jQuery twice so that the signature of the closure which wraps
1318 // the script can bind both '$' and 'jQuery'.
1319 script( $, $, mw.loader.require, registry[ module ].module );
1322 } else if ( typeof script === 'string' ) {
1323 // Site and user modules are legacy scripts that run in the global scope.
1324 // This is transported as a string instead of a function to avoid needing
1325 // to use string manipulation to undo the function wrapper.
1326 $.globalEval( script );
1330 // Module without script
1334 // Use mw.track instead of mw.log because these errors are common in production mode
1335 // (e.g. undefined variable), and mw.log is only enabled in debug mode.
1336 registry[ module ].state = 'error';
1337 mw.track( 'resourceloader.exception', { exception: e, module: module, source: 'module-execute' } );
1338 handlePending( module );
1343 // Add localizations to message system
1344 if ( registry[ module ].messages ) {
1345 mw.messages.set( registry[ module ].messages );
1348 // Initialise templates
1349 if ( registry[ module ].templates ) {
1350 mw.templates.set( module, registry[ module ].templates );
1353 // Make sure we don't run the scripts until all stylesheet insertions have completed.
1356 checkCssHandles = function () {
1357 // cssHandlesRegistered ensures we don't take off too soon, e.g. when
1358 // one of the cssHandles is fired while we're still creating more handles.
1359 if ( cssHandlesRegistered && pending === 0 && runScript ) {
1361 runScript = undefined; // Revoke
1364 cssHandle = function () {
1365 var check = checkCssHandles;
1367 return function () {
1371 check = undefined; // Revoke
1377 // Process styles (see also mw.loader.implement)
1378 // * back-compat: { <media>: css }
1379 // * back-compat: { <media>: [url, ..] }
1380 // * { "css": [css, ..] }
1381 // * { "url": { <media>: [url, ..] } }
1382 if ( registry[ module ].style ) {
1383 for ( key in registry[ module ].style ) {
1384 value = registry[ module ].style[ key ];
1387 if ( key !== 'url' && key !== 'css' ) {
1388 // Backwards compatibility, key is a media-type
1389 if ( typeof value === 'string' ) {
1390 // back-compat: { <media>: css }
1391 // Ignore 'media' because it isn't supported (nor was it used).
1392 // Strings are pre-wrapped in "@media". The media-type was just ""
1393 // (because it had to be set to something).
1394 // This is one of the reasons why this format is no longer used.
1395 addEmbeddedCSS( value, cssHandle() );
1397 // back-compat: { <media>: [url, ..] }
1403 // Array of css strings in key 'css',
1404 // or back-compat array of urls from media-type
1405 if ( $.isArray( value ) ) {
1406 for ( i = 0; i < value.length; i++ ) {
1407 if ( key === 'bc-url' ) {
1408 // back-compat: { <media>: [url, ..] }
1409 addLink( media, value[ i ] );
1410 } else if ( key === 'css' ) {
1411 // { "css": [css, ..] }
1412 addEmbeddedCSS( value[ i ], cssHandle() );
1415 // Not an array, but a regular object
1416 // Array of urls inside media-type key
1417 } else if ( typeof value === 'object' ) {
1418 // { "url": { <media>: [url, ..] } }
1419 for ( media in value ) {
1420 urls = value[ media ];
1421 for ( i = 0; i < urls.length; i++ ) {
1422 addLink( media, urls[ i ] );
1430 cssHandlesRegistered = true;
1435 * Add one or more modules to the module load queue.
1440 * @param {string|string[]} dependencies Module name or array of string module names
1441 * @param {Function} [ready] Callback to execute when all dependencies are ready
1442 * @param {Function} [error] Callback to execute when any dependency fails
1444 function enqueue( dependencies, ready, error ) {
1445 // Allow calling by single module name
1446 if ( typeof dependencies === 'string' ) {
1447 dependencies = [ dependencies ];
1450 // Add ready and error callbacks if they were given
1451 if ( ready !== undefined || error !== undefined ) {
1453 // Narrow down the list to modules that are worth waiting for
1454 dependencies: $.grep( dependencies, function ( module ) {
1455 var state = mw.loader.getState( module );
1456 return state === 'registered' || state === 'loaded' || state === 'loading' || state === 'executing';
1463 $.each( dependencies, function ( idx, module ) {
1464 var state = mw.loader.getState( module );
1465 // Only queue modules that are still in the initial 'registered' state
1466 // (not ones already loading, ready or error).
1467 if ( state === 'registered' && $.inArray( module, queue ) === -1 ) {
1468 // Private modules must be embedded in the page. Don't bother queuing
1469 // these as the server will deny them anyway (T101806).
1470 if ( registry[ module ].group === 'private' ) {
1471 registry[ module ].state = 'error';
1472 handlePending( module );
1475 queue.push( module );
1482 function sortQuery( o ) {
1488 if ( hasOwn.call( o, key ) ) {
1493 for ( key = 0; key < a.length; key++ ) {
1494 sorted[ a[ key ] ] = o[ a[ key ] ];
1500 * Converts a module map of the form { foo: [ 'bar', 'baz' ], bar: [ 'baz, 'quux' ] }
1501 * to a query string of the form foo.bar,baz|bar.baz,quux
1504 * @param {Object} moduleMap Module map
1505 * @return {string} Module query string
1507 function buildModulesString( moduleMap ) {
1511 for ( prefix in moduleMap ) {
1512 p = prefix === '' ? '' : prefix + '.';
1513 arr.push( p + moduleMap[ prefix ].join( ',' ) );
1515 return arr.join( '|' );
1519 * Make a network request to load modules from the server.
1522 * @param {Object} moduleMap Module map, see #buildModulesString
1523 * @param {Object} currReqBase Object with other parameters (other than 'modules') to use in the request
1524 * @param {string} sourceLoadScript URL of load.php
1526 function doRequest( moduleMap, currReqBase, sourceLoadScript ) {
1527 var query = $.extend(
1528 { modules: buildModulesString( moduleMap ) },
1531 query = sortQuery( query );
1532 addScript( sourceLoadScript + '?' + $.param( query ) );
1536 * Resolve indexed dependencies.
1538 * ResourceLoader uses an optimization to save space which replaces module names in
1539 * dependency lists with the index of that module within the array of module
1540 * registration data if it exists. The benefit is a significant reduction in the data
1541 * size of the startup module. This function changes those dependency lists back to
1542 * arrays of strings.
1545 * @param {Array} modules Modules array
1547 function resolveIndexedDependencies( modules ) {
1549 function resolveIndex( dep ) {
1550 return typeof dep === 'number' ? modules[ dep ][ 0 ] : dep;
1552 for ( i = 0; i < modules.length; i++ ) {
1553 deps = modules[ i ][ 2 ];
1555 for ( j = 0; j < deps.length; j++ ) {
1556 deps[ j ] = resolveIndex( deps[ j ] );
1563 * Create network requests for a batch of modules.
1565 * This is an internal method for #work(). This must not be called directly
1566 * unless the modules are already registered, and no request is in progress,
1567 * and the module state has already been set to `loading`.
1570 * @param {string[]} batch
1572 function batchRequest( batch ) {
1573 var reqBase, splits, maxQueryLength, b, bSource, bGroup, bSourceGroup,
1574 source, group, i, modules, sourceLoadScript,
1575 currReqBase, currReqBaseLength, moduleMap, l,
1576 lastDotIndex, prefix, suffix, bytesAdded;
1578 if ( !batch.length ) {
1582 // Always order modules alphabetically to help reduce cache
1583 // misses for otherwise identical content.
1586 // Build a list of query parameters common to all requests
1588 skin: mw.config.get( 'skin' ),
1589 lang: mw.config.get( 'wgUserLanguage' ),
1590 debug: mw.config.get( 'debug' )
1592 maxQueryLength = mw.config.get( 'wgResourceLoaderMaxQueryLength', 2000 );
1594 // Split module list by source and by group.
1596 for ( b = 0; b < batch.length; b++ ) {
1597 bSource = registry[ batch[ b ] ].source;
1598 bGroup = registry[ batch[ b ] ].group;
1599 if ( !hasOwn.call( splits, bSource ) ) {
1600 splits[ bSource ] = {};
1602 if ( !hasOwn.call( splits[ bSource ], bGroup ) ) {
1603 splits[ bSource ][ bGroup ] = [];
1605 bSourceGroup = splits[ bSource ][ bGroup ];
1606 bSourceGroup.push( batch[ b ] );
1609 for ( source in splits ) {
1611 sourceLoadScript = sources[ source ];
1613 for ( group in splits[ source ] ) {
1615 // Cache access to currently selected list of
1616 // modules for this group from this source.
1617 modules = splits[ source ][ group ];
1619 currReqBase = $.extend( {
1620 version: getCombinedVersion( modules )
1622 // For user modules append a user name to the query string.
1623 if ( group === 'user' && mw.config.get( 'wgUserName' ) !== null ) {
1624 currReqBase.user = mw.config.get( 'wgUserName' );
1626 currReqBaseLength = $.param( currReqBase ).length;
1627 // We may need to split up the request to honor the query string length limit,
1628 // so build it piece by piece.
1629 l = currReqBaseLength + 9; // '&modules='.length == 9
1631 moduleMap = {}; // { prefix: [ suffixes ] }
1633 for ( i = 0; i < modules.length; i++ ) {
1634 // Determine how many bytes this module would add to the query string
1635 lastDotIndex = modules[ i ].lastIndexOf( '.' );
1637 // If lastDotIndex is -1, substr() returns an empty string
1638 prefix = modules[ i ].substr( 0, lastDotIndex );
1639 suffix = modules[ i ].slice( lastDotIndex + 1 );
1641 bytesAdded = hasOwn.call( moduleMap, prefix ) ?
1642 suffix.length + 3 : // '%2C'.length == 3
1643 modules[ i ].length + 3; // '%7C'.length == 3
1645 // If the url would become too long, create a new one,
1646 // but don't create empty requests
1647 if ( maxQueryLength > 0 && !$.isEmptyObject( moduleMap ) && l + bytesAdded > maxQueryLength ) {
1648 // This url would become too long, create a new one, and start the old one
1649 doRequest( moduleMap, currReqBase, sourceLoadScript );
1651 l = currReqBaseLength + 9;
1652 mw.track( 'resourceloader.splitRequest', { maxQueryLength: maxQueryLength } );
1654 if ( !hasOwn.call( moduleMap, prefix ) ) {
1655 moduleMap[ prefix ] = [];
1657 moduleMap[ prefix ].push( suffix );
1660 // If there's anything left in moduleMap, request that too
1661 if ( !$.isEmptyObject( moduleMap ) ) {
1662 doRequest( moduleMap, currReqBase, sourceLoadScript );
1670 * @param {string[]} implementations Array containing pieces of JavaScript code in the
1671 * form of calls to mw.loader#implement().
1672 * @param {Function} cb Callback in case of failure
1673 * @param {Error} cb.err
1675 function asyncEval( implementations, cb ) {
1676 if ( !implementations.length ) {
1679 mw.requestIdleCallback( function () {
1681 $.globalEval( implementations.join( ';' ) );
1689 * Make a versioned key for a specific module.
1692 * @param {string} module Module name
1693 * @return {string|null} Module key in format '`[name]@[version]`',
1694 * or null if the module does not exist
1696 function getModuleKey( module ) {
1697 return hasOwn.call( registry, module ) ?
1698 ( module + '@' + registry[ module ].version ) : null;
1703 * @param {string} key Module name or '`[name]@[version]`'
1706 function splitModuleKey( key ) {
1707 var index = key.indexOf( '@' );
1708 if ( index === -1 ) {
1709 return { name: key };
1712 name: key.slice( 0, index ),
1713 version: key.slice( index + 1 )
1717 /* Public Members */
1720 * The module registry is exposed as an aid for debugging and inspecting page
1721 * state; it is not a public interface for modifying the registry.
1727 moduleRegistry: registry,
1730 * @inheritdoc #newStyleTag
1733 addStyleTag: newStyleTag,
1736 * Start loading of all queued module dependencies.
1741 var q, batch, implementations, sourceModules;
1745 // Appends a list of modules from the queue to the batch
1746 for ( q = 0; q < queue.length; q++ ) {
1747 // Only load modules which are registered
1748 if ( hasOwn.call( registry, queue[ q ] ) && registry[ queue[ q ] ].state === 'registered' ) {
1749 // Prevent duplicate entries
1750 if ( $.inArray( queue[ q ], batch ) === -1 ) {
1751 batch.push( queue[ q ] );
1752 // Mark registered modules as loading
1753 registry[ queue[ q ] ].state = 'loading';
1758 // Now that the queue has been processed into a batch, clear the queue.
1759 // This MUST happen before we initiate any eval or network request. Otherwise,
1760 // it is possible for a cached script to instantly trigger the same work queue
1761 // again; all before we've cleared it causing each request to include modules
1762 // which are already loaded.
1765 if ( !batch.length ) {
1769 mw.loader.store.init();
1770 if ( mw.loader.store.enabled ) {
1771 implementations = [];
1773 batch = $.grep( batch, function ( module ) {
1774 var implementation = mw.loader.store.get( module );
1775 if ( implementation ) {
1776 implementations.push( implementation );
1777 sourceModules.push( module );
1782 asyncEval( implementations, function ( err ) {
1784 // Not good, the cached mw.loader.implement calls failed! This should
1785 // never happen, barring ResourceLoader bugs, browser bugs and PEBKACs.
1786 // Depending on how corrupt the string is, it is likely that some
1787 // modules' implement() succeeded while the ones after the error will
1788 // never run and leave their modules in the 'loading' state forever.
1789 mw.loader.store.stats.failed++;
1791 // Since this is an error not caused by an individual module but by
1792 // something that infected the implement call itself, don't take any
1793 // risks and clear everything in this cache.
1794 mw.loader.store.clear();
1796 mw.track( 'resourceloader.exception', { exception: err, source: 'store-eval' } );
1797 // Re-add the failed ones that are still pending back to the batch
1798 failed = $.grep( sourceModules, function ( module ) {
1799 return registry[ module ].state === 'loading';
1801 batchRequest( failed );
1805 batchRequest( batch );
1809 * Register a source.
1811 * The #work() method will use this information to split up requests by source.
1813 * mw.loader.addSource( 'mediawikiwiki', '//www.mediawiki.org/w/load.php' );
1815 * @param {string|Object} id Source ID, or object mapping ids to load urls
1816 * @param {string} loadUrl Url to a load.php end point
1817 * @throws {Error} If source id is already registered
1819 addSource: function ( id, loadUrl ) {
1821 // Allow multiple additions
1822 if ( typeof id === 'object' ) {
1823 for ( source in id ) {
1824 mw.loader.addSource( source, id[ source ] );
1829 if ( hasOwn.call( sources, id ) ) {
1830 throw new Error( 'source already registered: ' + id );
1833 sources[ id ] = loadUrl;
1837 * Register a module, letting the system know about it and its properties.
1839 * The startup modules contain calls to this method.
1841 * When using multiple module registration by passing an array, dependencies that
1842 * are specified as references to modules within the array will be resolved before
1843 * the modules are registered.
1845 * @param {string|Array} module Module name or array of arrays, each containing
1846 * a list of arguments compatible with this method
1847 * @param {string|number} version Module version hash (falls backs to empty string)
1848 * Can also be a number (timestamp) for compatibility with MediaWiki 1.25 and earlier.
1849 * @param {string|Array|Function} dependencies One string or array of strings of module
1850 * names on which this module depends, or a function that returns that array.
1851 * @param {string} [group=null] Group which the module is in
1852 * @param {string} [source='local'] Name of the source
1853 * @param {string} [skip=null] Script body of the skip function
1855 register: function ( module, version, dependencies, group, source, skip ) {
1857 // Allow multiple registration
1858 if ( typeof module === 'object' ) {
1859 resolveIndexedDependencies( module );
1860 for ( i = 0; i < module.length; i++ ) {
1861 // module is an array of module names
1862 if ( typeof module[ i ] === 'string' ) {
1863 mw.loader.register( module[ i ] );
1864 // module is an array of arrays
1865 } else if ( typeof module[ i ] === 'object' ) {
1866 mw.loader.register.apply( mw.loader, module[ i ] );
1871 if ( hasOwn.call( registry, module ) ) {
1872 throw new Error( 'module already registered: ' + module );
1874 if ( typeof dependencies === 'string' ) {
1875 // A single module name
1876 deps = [ dependencies ];
1877 } else if ( typeof dependencies === 'object' || typeof dependencies === 'function' ) {
1878 // Array of module names or a function that returns an array
1879 deps = dependencies;
1881 // List the module as registered
1882 registry[ module ] = {
1883 // Exposed to execute() for mw.loader.implement() closures.
1884 // Import happens via require().
1888 version: version !== undefined ? String( version ) : '',
1889 dependencies: deps || [],
1890 group: typeof group === 'string' ? group : null,
1891 source: typeof source === 'string' ? source : 'local',
1892 state: 'registered',
1893 skip: typeof skip === 'string' ? skip : null
1898 * Implement a module given the components that make up the module.
1900 * When #load() or #using() requests one or more modules, the server
1901 * response contain calls to this function.
1903 * @param {string} module Name of module and current module version. Formatted
1904 * as '`[name]@[version]`". This version should match the requested version
1905 * (from #batchRequest and #registry). This avoids race conditions (T117587).
1906 * For back-compat with MediaWiki 1.27 and earlier, the version may be omitted.
1907 * @param {Function|Array|string} [script] Function with module code, list of URLs
1908 * to load via `<script src>`, or string of module code for `$.globalEval()`.
1909 * @param {Object} [style] Should follow one of the following patterns:
1911 * { "css": [css, ..] }
1912 * { "url": { <media>: [url, ..] } }
1914 * And for backwards compatibility (needs to be supported forever due to caching):
1917 * { <media>: [url, ..] }
1919 * The reason css strings are not concatenated anymore is T33676. We now check
1920 * whether it's safe to extend the stylesheet.
1923 * @param {Object} [messages] List of key/value pairs to be added to mw#messages.
1924 * @param {Object} [templates] List of key/value pairs to be added to mw#templates.
1926 implement: function ( module, script, style, messages, templates ) {
1927 var split = splitModuleKey( module ),
1929 version = split.version;
1930 // Automatically register module
1931 if ( !hasOwn.call( registry, name ) ) {
1932 mw.loader.register( name );
1934 // Check for duplicate implementation
1935 if ( hasOwn.call( registry, name ) && registry[ name ].script !== undefined ) {
1936 throw new Error( 'module already implemented: ' + name );
1939 // Without this reset, if there is a version mismatch between the
1940 // requested and received module version, then mw.loader.store would
1941 // cache the response under the requested key. Thus poisoning the cache
1942 // indefinitely with a stale value. (T117587)
1943 registry[ name ].version = version;
1945 // Attach components
1946 registry[ name ].script = script || null;
1947 registry[ name ].style = style || null;
1948 registry[ name ].messages = messages || null;
1949 registry[ name ].templates = templates || null;
1950 // The module may already have been marked as erroneous
1951 if ( $.inArray( registry[ name ].state, [ 'error', 'missing' ] ) === -1 ) {
1952 registry[ name ].state = 'loaded';
1953 if ( allReady( registry[ name ].dependencies ) ) {
1960 * Execute a function as soon as one or more required modules are ready.
1962 * Example of inline dependency on OOjs:
1964 * mw.loader.using( 'oojs', function () {
1965 * OO.compare( [ 1 ], [ 1 ] );
1968 * Since MediaWiki 1.23 this also returns a promise.
1970 * Since MediaWiki 1.28 the promise is resolved with a `require` function.
1972 * @param {string|Array} dependencies Module name or array of modules names the
1973 * callback depends on to be ready before executing
1974 * @param {Function} [ready] Callback to execute when all dependencies are ready
1975 * @param {Function} [error] Callback to execute if one or more dependencies failed
1976 * @return {jQuery.Promise} With a `require` function
1978 using: function ( dependencies, ready, error ) {
1979 var deferred = $.Deferred();
1981 // Allow calling with a single dependency as a string
1982 if ( typeof dependencies === 'string' ) {
1983 dependencies = [ dependencies ];
1987 deferred.done( ready );
1990 deferred.fail( error );
1994 // Resolve entire dependency map
1995 dependencies = resolve( dependencies );
1997 return deferred.reject( e ).promise();
1999 if ( allReady( dependencies ) ) {
2000 // Run ready immediately
2001 deferred.resolve( mw.loader.require );
2002 } else if ( anyFailed( dependencies ) ) {
2003 // Execute error immediately if any dependencies have errors
2005 new Error( 'One or more dependencies failed to load' ),
2009 // Not all dependencies are ready, add to the load queue
2010 enqueue( dependencies, function () {
2011 deferred.resolve( mw.loader.require );
2012 }, deferred.reject );
2015 return deferred.promise();
2019 * Load an external script or one or more modules.
2021 * @param {string|Array} modules Either the name of a module, array of modules,
2022 * or a URL of an external script or style
2023 * @param {string} [type='text/javascript'] MIME type to use if calling with a URL of an
2024 * external script or style; acceptable values are "text/css" and
2025 * "text/javascript"; if no type is provided, text/javascript is assumed.
2027 load: function ( modules, type ) {
2030 // Allow calling with a url or single dependency as a string
2031 if ( typeof modules === 'string' ) {
2032 // "https://example.org/x.js", "http://example.org/x.js", "//example.org/x.js", "/x.js"
2033 if ( /^(https?:)?\/?\//.test( modules ) ) {
2034 if ( type === 'text/css' ) {
2036 // Use properties instead of attributes as IE throws security
2037 // warnings when inserting a <link> tag with a protocol-relative
2038 // URL set though attributes - when on HTTPS. See T43331.
2039 l = document.createElement( 'link' );
2040 l.rel = 'stylesheet';
2042 $( 'head' ).append( l );
2045 if ( type === 'text/javascript' || type === undefined ) {
2046 addScript( modules );
2050 throw new Error( 'invalid type for external url, must be text/css or text/javascript. not ' + type );
2052 // Called with single module
2053 modules = [ modules ];
2056 // Filter out undefined modules, otherwise resolve() will throw
2057 // an exception for trying to load an undefined module.
2058 // Undefined modules are acceptable here in load(), because load() takes
2059 // an array of unrelated modules, whereas the modules passed to
2060 // using() are related and must all be loaded.
2061 filtered = $.grep( modules, function ( module ) {
2062 var state = mw.loader.getState( module );
2063 return state !== null && state !== 'error' && state !== 'missing';
2066 if ( filtered.length === 0 ) {
2069 // Resolve entire dependency map
2070 filtered = resolve( filtered );
2071 // If all modules are ready, or if any modules have errors, nothing to be done.
2072 if ( allReady( filtered ) || anyFailed( filtered ) ) {
2075 // Some modules are not yet ready, add to module load queue.
2076 enqueue( filtered, undefined, undefined );
2080 * Change the state of one or more modules.
2082 * @param {string|Object} module Module name or object of module name/state pairs
2083 * @param {string} state State name
2085 state: function ( module, state ) {
2088 if ( typeof module === 'object' ) {
2089 for ( m in module ) {
2090 mw.loader.state( m, module[ m ] );
2094 if ( !hasOwn.call( registry, module ) ) {
2095 mw.loader.register( module );
2097 registry[ module ].state = state;
2098 if ( $.inArray( state, [ 'ready', 'error', 'missing' ] ) !== -1 ) {
2099 // Make sure pending modules depending on this one get executed if their
2100 // dependencies are now fulfilled!
2101 handlePending( module );
2106 * Get the version of a module.
2108 * @param {string} module Name of module
2109 * @return {string|null} The version, or null if the module (or its version) is not
2112 getVersion: function ( module ) {
2113 if ( !hasOwn.call( registry, module ) || registry[ module ].version === undefined ) {
2116 return registry[ module ].version;
2120 * Get the state of a module.
2122 * @param {string} module Name of module
2123 * @return {string|null} The state, or null if the module (or its state) is not
2126 getState: function ( module ) {
2127 if ( !hasOwn.call( registry, module ) || registry[ module ].state === undefined ) {
2130 return registry[ module ].state;
2134 * Get the names of all registered modules.
2138 getModuleNames: function () {
2139 return $.map( registry, function ( i, key ) {
2145 * Get the exported value of a module.
2147 * Modules may provide this via their local `module.exports`.
2151 * @param {string} moduleName Module name
2152 * @return {Mixed} Exported value
2154 require: function ( moduleName ) {
2155 var state = mw.loader.getState( moduleName );
2157 // Only ready modules can be required
2158 if ( state !== 'ready' ) {
2159 // Module may've forgotten to declare a dependency
2160 throw new Error( 'Module "' + moduleName + '" is not loaded.' );
2163 return registry[ moduleName ].module.exports;
2167 * @inheritdoc mw.inspect#runReports
2170 inspect: function () {
2171 var args = slice.call( arguments );
2172 mw.loader.using( 'mediawiki.inspect', function () {
2173 mw.inspect.runReports.apply( mw.inspect, args );
2178 * On browsers that implement the localStorage API, the module store serves as a
2179 * smart complement to the browser cache. Unlike the browser cache, the module store
2180 * can slice a concatenated response from ResourceLoader into its constituent
2181 * modules and cache each of them separately, using each module's versioning scheme
2182 * to determine when the cache should be invalidated.
2185 * @class mw.loader.store
2188 // Whether the store is in use on this page.
2191 // Modules whose string representation exceeds 100 kB are
2192 // ineligible for storage. See bug T66721.
2193 MODULE_SIZE_MAX: 100 * 1000,
2195 // The contents of the store, mapping '[name]@[version]' keys
2196 // to module implementations.
2200 stats: { hits: 0, misses: 0, expired: 0, failed: 0 },
2203 * Construct a JSON-serializable object representing the content of the store.
2205 * @return {Object} Module store contents.
2207 toJSON: function () {
2208 return { items: mw.loader.store.items, vary: mw.loader.store.getVary() };
2212 * Get the localStorage key for the entire module store. The key references
2213 * $wgDBname to prevent clashes between wikis which share a common host.
2215 * @return {string} localStorage item key
2217 getStoreKey: function () {
2218 return 'MediaWikiModuleStore:' + mw.config.get( 'wgDBname' );
2222 * Get a key on which to vary the module cache.
2224 * @return {string} String of concatenated vary conditions.
2226 getVary: function () {
2228 mw.config.get( 'skin' ),
2229 mw.config.get( 'wgResourceLoaderStorageVersion' ),
2230 mw.config.get( 'wgUserLanguage' )
2235 * Initialize the store.
2237 * Retrieves store from localStorage and (if successfully retrieved) decoding
2238 * the stored JSON value to a plain object.
2240 * The try / catch block is used for JSON & localStorage feature detection.
2241 * See the in-line documentation for Modernizr's localStorage feature detection
2242 * code for a full account of why we need a try / catch:
2243 * <https://github.com/Modernizr/Modernizr/blob/v2.7.1/modernizr.js#L771-L796>.
2248 if ( mw.loader.store.enabled !== null ) {
2254 // Disabled because localStorage quotas are tight and (in Firefox's case)
2255 // shared by multiple origins.
2256 // See T66721, and <https://bugzilla.mozilla.org/show_bug.cgi?id=1064466>.
2257 /Firefox|Opera/.test( navigator.userAgent ) ||
2259 // Disabled by configuration.
2260 !mw.config.get( 'wgResourceLoaderStorageEnabled' )
2262 // Clear any previous store to free up space. (T66721)
2263 mw.loader.store.clear();
2264 mw.loader.store.enabled = false;
2267 if ( mw.config.get( 'debug' ) ) {
2268 // Disable module store in debug mode
2269 mw.loader.store.enabled = false;
2274 raw = localStorage.getItem( mw.loader.store.getStoreKey() );
2275 // If we get here, localStorage is available; mark enabled
2276 mw.loader.store.enabled = true;
2277 data = JSON.parse( raw );
2278 if ( data && typeof data.items === 'object' && data.vary === mw.loader.store.getVary() ) {
2279 mw.loader.store.items = data.items;
2283 mw.track( 'resourceloader.exception', { exception: e, source: 'store-localstorage-init' } );
2286 if ( raw === undefined ) {
2287 // localStorage failed; disable store
2288 mw.loader.store.enabled = false;
2290 mw.loader.store.update();
2295 * Retrieve a module from the store and update cache hit stats.
2297 * @param {string} module Module name
2298 * @return {string|boolean} Module implementation or false if unavailable
2300 get: function ( module ) {
2303 if ( !mw.loader.store.enabled ) {
2307 key = getModuleKey( module );
2308 if ( key in mw.loader.store.items ) {
2309 mw.loader.store.stats.hits++;
2310 return mw.loader.store.items[ key ];
2312 mw.loader.store.stats.misses++;
2317 * Stringify a module and queue it for storage.
2319 * @param {string} module Module name
2320 * @param {Object} descriptor The module's descriptor as set in the registry
2321 * @return {boolean} Module was set
2323 set: function ( module, descriptor ) {
2326 if ( !mw.loader.store.enabled ) {
2330 key = getModuleKey( module );
2333 // Already stored a copy of this exact version
2334 key in mw.loader.store.items ||
2335 // Module failed to load
2336 descriptor.state !== 'ready' ||
2337 // Unversioned, private, or site-/user-specific
2338 ( !descriptor.version || $.inArray( descriptor.group, [ 'private', 'user' ] ) !== -1 ) ||
2339 // Partial descriptor
2340 // (e.g. skipped module, or style module with state=ready)
2341 $.inArray( undefined, [ descriptor.script, descriptor.style,
2342 descriptor.messages, descriptor.templates ] ) !== -1
2350 JSON.stringify( key ),
2351 typeof descriptor.script === 'function' ?
2352 String( descriptor.script ) :
2353 JSON.stringify( descriptor.script ),
2354 JSON.stringify( descriptor.style ),
2355 JSON.stringify( descriptor.messages ),
2356 JSON.stringify( descriptor.templates )
2358 // Attempted workaround for a possible Opera bug (bug T59567).
2359 // This regex should never match under sane conditions.
2360 if ( /^\s*\(/.test( args[ 1 ] ) ) {
2361 args[ 1 ] = 'function' + args[ 1 ];
2362 mw.track( 'resourceloader.assert', { source: 'bug-T59567' } );
2365 mw.track( 'resourceloader.exception', { exception: e, source: 'store-localstorage-json' } );
2369 src = 'mw.loader.implement(' + args.join( ',' ) + ');';
2370 if ( src.length > mw.loader.store.MODULE_SIZE_MAX ) {
2373 mw.loader.store.items[ key ] = src;
2374 mw.loader.store.update();
2379 * Iterate through the module store, removing any item that does not correspond
2380 * (in name and version) to an item in the module registry.
2382 * @return {boolean} Store was pruned
2384 prune: function () {
2387 if ( !mw.loader.store.enabled ) {
2391 for ( key in mw.loader.store.items ) {
2392 module = key.slice( 0, key.indexOf( '@' ) );
2393 if ( getModuleKey( module ) !== key ) {
2394 mw.loader.store.stats.expired++;
2395 delete mw.loader.store.items[ key ];
2396 } else if ( mw.loader.store.items[ key ].length > mw.loader.store.MODULE_SIZE_MAX ) {
2397 // This value predates the enforcement of a size limit on cached modules.
2398 delete mw.loader.store.items[ key ];
2405 * Clear the entire module store right now.
2407 clear: function () {
2408 mw.loader.store.items = {};
2410 localStorage.removeItem( mw.loader.store.getStoreKey() );
2411 } catch ( ignored ) {}
2415 * Sync in-memory store back to localStorage.
2417 * This function debounces updates. When called with a flush already pending,
2418 * the call is coalesced into the pending update. The call to
2419 * localStorage.setItem will be naturally deferred until the page is quiescent.
2421 * Because localStorage is shared by all pages from the same origin, if multiple
2422 * pages are loaded with different module sets, the possibility exists that
2423 * modules saved by one page will be clobbered by another. But the impact would
2424 * be minor and the problem would be corrected by subsequent page views.
2428 update: ( function () {
2429 var hasPendingWrite = false;
2431 function flushWrites() {
2433 if ( !hasPendingWrite || !mw.loader.store.enabled ) {
2437 mw.loader.store.prune();
2438 key = mw.loader.store.getStoreKey();
2440 // Replacing the content of the module store might fail if the new
2441 // contents would exceed the browser's localStorage size limit. To
2442 // avoid clogging the browser with stale data, always remove the old
2443 // value before attempting to set the new one.
2444 localStorage.removeItem( key );
2445 data = JSON.stringify( mw.loader.store );
2446 localStorage.setItem( key, data );
2448 mw.track( 'resourceloader.exception', { exception: e, source: 'store-localstorage-update' } );
2451 hasPendingWrite = false;
2454 return function () {
2455 if ( !hasPendingWrite ) {
2456 hasPendingWrite = true;
2457 mw.requestIdleCallback( flushWrites );
2466 * HTML construction helper functions
2473 * output = Html.element( 'div', {}, new Html.Raw(
2474 * Html.element( 'img', { src: '<' } )
2476 * mw.log( output ); // <div><img src="<"/></div>
2481 html: ( function () {
2482 function escapeCallback( s ) {
2499 * Escape a string for HTML.
2501 * Converts special characters to HTML entities.
2503 * mw.html.escape( '< > \' & "' );
2504 * // Returns < > ' & "
2506 * @param {string} s The string to escape
2507 * @return {string} HTML
2509 escape: function ( s ) {
2510 return s.replace( /['"<>&]/g, escapeCallback );
2514 * Create an HTML element string, with safe escaping.
2516 * @param {string} name The tag name.
2517 * @param {Object} [attrs] An object with members mapping element names to values
2518 * @param {string|mw.html.Raw|mw.html.Cdata|null} [contents=null] The contents of the element.
2520 * - string: Text to be escaped.
2521 * - null: The element is treated as void with short closing form, e.g. `<br/>`.
2522 * - this.Raw: The raw value is directly included.
2523 * - this.Cdata: The raw value is directly included. An exception is
2524 * thrown if it contains any illegal ETAGO delimiter.
2525 * See <https://www.w3.org/TR/html401/appendix/notes.html#h-B.3.2>.
2526 * @return {string} HTML
2528 element: function ( name, attrs, contents ) {
2529 var v, attrName, s = '<' + name;
2532 for ( attrName in attrs ) {
2533 v = attrs[ attrName ];
2534 // Convert name=true, to name=name
2538 } else if ( v === false ) {
2541 s += ' ' + attrName + '="' + this.escape( String( v ) ) + '"';
2544 if ( contents === undefined || contents === null ) {
2551 switch ( typeof contents ) {
2554 s += this.escape( contents );
2558 // Convert to string
2559 s += String( contents );
2562 if ( contents instanceof this.Raw ) {
2563 // Raw HTML inclusion
2564 s += contents.value;
2565 } else if ( contents instanceof this.Cdata ) {
2567 if ( /<\/[a-zA-z]/.test( contents.value ) ) {
2568 throw new Error( 'mw.html.element: Illegal end tag found in CDATA' );
2570 s += contents.value;
2572 throw new Error( 'mw.html.element: Invalid type of contents' );
2575 s += '</' + name + '>';
2580 * Wrapper object for raw HTML passed to mw.html.element().
2582 * @class mw.html.Raw
2584 * @param {string} value
2586 Raw: function ( value ) {
2591 * Wrapper object for CDATA element contents passed to mw.html.element()
2593 * @class mw.html.Cdata
2595 * @param {string} value
2597 Cdata: function ( value ) {
2603 // Skeleton user object, extended by the 'mediawiki.user' module.
2610 * @property {mw.Map}
2614 * @property {mw.Map}
2619 // OOUI widgets specific to MediaWiki
2623 * Registry and firing of events.
2625 * MediaWiki has various interface components that are extended, enhanced
2626 * or manipulated in some other way by extensions, gadgets and even
2629 * This framework helps streamlining the timing of when these other
2630 * code paths fire their plugins (instead of using document-ready,
2631 * which can and should be limited to firing only once).
2633 * Features like navigating to other wiki pages, previewing an edit
2634 * and editing itself – without a refresh – can then retrigger these
2635 * hooks accordingly to ensure everything still works as expected.
2639 * mw.hook( 'wikipage.content' ).add( fn ).remove( fn );
2640 * mw.hook( 'wikipage.content' ).fire( $content );
2642 * Handlers can be added and fired for arbitrary event names at any time. The same
2643 * event can be fired multiple times. The last run of an event is memorized
2644 * (similar to `$(document).ready` and `$.Deferred().done`).
2645 * This means if an event is fired, and a handler added afterwards, the added
2646 * function will be fired right away with the last given event data.
2648 * Like Deferreds and Promises, the mw.hook object is both detachable and chainable.
2649 * Thus allowing flexible use and optimal maintainability and authority control.
2650 * You can pass around the `add` and/or `fire` method to another piece of code
2651 * without it having to know the event name (or `mw.hook` for that matter).
2653 * var h = mw.hook( 'bar.ready' );
2654 * new mw.Foo( .. ).fetch( { callback: h.fire } );
2656 * Note: Events are documented with an underscore instead of a dot in the event
2657 * name due to jsduck not supporting dots in that position.
2661 hook: ( function () {
2665 * Create an instance of mw.hook.
2669 * @param {string} name Name of hook.
2672 return function ( name ) {
2673 var list = hasOwn.call( lists, name ) ?
2675 lists[ name ] = $.Callbacks( 'memory' );
2679 * Register a hook handler
2681 * @param {...Function} handler Function to bind.
2687 * Unregister a hook handler
2689 * @param {...Function} handler Function to unbind.
2692 remove: list.remove,
2694 // eslint-disable-next-line valid-jsdoc
2698 * @param {...Mixed} data
2702 return list.fireWith.call( this, null, slice.call( arguments ) );
2709 // Alias $j to jQuery for backwards compatibility
2710 // @deprecated since 1.23 Use $ or jQuery instead
2711 mw.log.deprecate( window, '$j', $, 'Use $ or jQuery instead.' );
2714 * Log a message to window.console, if possible.
2716 * Useful to force logging of some errors that are otherwise hard to detect (i.e., this logs
2717 * also in production mode). Gets console references in each invocation instead of caching the
2718 * reference, so that debugging tools loaded later are supported (e.g. Firebug Lite in IE).
2721 * @param {string} topic Stream name passed by mw.track
2722 * @param {Object} data Data passed by mw.track
2723 * @param {Error} [data.exception]
2724 * @param {string} data.source Error source
2725 * @param {string} [data.module] Name of module which caused the error
2727 function logError( topic, data ) {
2728 /* eslint-disable no-console */
2731 source = data.source,
2732 module = data.module,
2733 console = window.console;
2735 if ( console && console.log ) {
2736 msg = ( e ? 'Exception' : 'Error' ) + ' in ' + source;
2738 msg += ' in module ' + module;
2740 msg += ( e ? ':' : '.' );
2743 // If we have an exception object, log it to the error channel to trigger
2744 // proper stacktraces in browsers that support it. No fallback as we have
2745 // no browsers that don't support error(), but do support log().
2746 if ( e && console.error ) {
2747 console.error( String( e ), e );
2750 /* eslint-enable no-console */
2753 // Subscribe to error streams
2754 mw.trackSubscribe( 'resourceloader.exception', logError );
2755 mw.trackSubscribe( 'resourceloader.assert', logError );
2758 * Fired when all modules associated with the page have finished loading.
2760 * @event resourceloader_loadEnd
2764 var loading = $.grep( mw.loader.getModuleNames(), function ( module ) {
2765 return mw.loader.getState( module ) === 'loading';
2767 // We only need a callback, not any actual module. First try a single using()
2768 // for all loading modules. If one fails, fall back to tracking each module
2769 // separately via $.when(), this is expensive.
2770 loading = mw.loader.using( loading ).then( null, function () {
2771 var all = $.map( loading, function ( module ) {
2772 return mw.loader.using( module ).then( null, function () {
2773 return $.Deferred().resolve();
2776 return $.when.apply( $, all );
2778 loading.then( function () {
2779 /* global mwPerformance */
2780 mwPerformance.mark( 'mwLoadEnd' );
2781 mw.hook( 'resourceloader.loadEnd' ).fire();
2785 // Attach to window and globally alias
2786 window.mw = window.mediaWiki = mw;