Merge "Convert LocalFile to using getWithSetCallback() for caching"
[lhc/web/wiklou.git] / resources / src / mediawiki / mediawiki.util.js
1 ( function ( mw, $ ) {
2 'use strict';
3
4 /**
5 * Utility library
6 * @class mw.util
7 * @singleton
8 */
9 var util = {
10
11 /**
12 * Initialisation
13 * (don't call before document ready)
14 */
15 init: function () {
16 util.$content = ( function () {
17 var i, l, $node, selectors;
18
19 selectors = [
20 // The preferred standard is class "mw-body".
21 // You may also use class "mw-body mw-body-primary" if you use
22 // mw-body in multiple locations. Or class "mw-body-primary" if
23 // you use mw-body deeper in the DOM.
24 '.mw-body-primary',
25 '.mw-body',
26
27 // If the skin has no such class, fall back to the parser output
28 '#mw-content-text',
29
30 // Should never happen... well, it could if someone is not finished writing a
31 // skin and has not yet inserted bodytext yet.
32 'body'
33 ];
34
35 for ( i = 0, l = selectors.length; i < l; i++ ) {
36 $node = $( selectors[ i ] );
37 if ( $node.length ) {
38 return $node.first();
39 }
40 }
41
42 // Preserve existing customized value in case it was preset
43 return util.$content;
44 }() );
45 },
46
47 /* Main body */
48
49 /**
50 * Encode the string like PHP's rawurlencode
51 *
52 * @param {string} str String to be encoded.
53 */
54 rawurlencode: function ( str ) {
55 str = String( str );
56 return encodeURIComponent( str )
57 .replace( /!/g, '%21' ).replace( /'/g, '%27' ).replace( /\(/g, '%28' )
58 .replace( /\)/g, '%29' ).replace( /\*/g, '%2A' ).replace( /~/g, '%7E' );
59 },
60
61 /**
62 * Encode the string like Sanitizer::escapeId in PHP
63 *
64 * @param {string} str String to be encoded.
65 */
66 escapeId: function ( str ) {
67 str = String( str );
68 return util.rawurlencode( str.replace( / /g, '_' ) )
69 .replace( /%3A/g, ':' )
70 .replace( /%/g, '.' );
71 },
72
73 /**
74 * Encode page titles for use in a URL
75 *
76 * We want / and : to be included as literal characters in our title URLs
77 * as they otherwise fatally break the title.
78 *
79 * The others are decoded because we can, it's prettier and matches behaviour
80 * of `wfUrlencode` in PHP.
81 *
82 * @param {string} str String to be encoded.
83 */
84 wikiUrlencode: function ( str ) {
85 return util.rawurlencode( str )
86 .replace( /%20/g, '_' )
87 // wfUrlencode replacements
88 .replace( /%3B/g, ';' )
89 .replace( /%40/g, '@' )
90 .replace( /%24/g, '$' )
91 .replace( /%21/g, '!' )
92 .replace( /%2A/g, '*' )
93 .replace( /%28/g, '(' )
94 .replace( /%29/g, ')' )
95 .replace( /%2C/g, ',' )
96 .replace( /%2F/g, '/' )
97 .replace( /%7E/g, '~' )
98 .replace( /%3A/g, ':' );
99 },
100
101 /**
102 * Get the link to a page name (relative to `wgServer`),
103 *
104 * @param {string|null} [pageName=wgPageName] Page name
105 * @param {Object} [params] A mapping of query parameter names to values,
106 * e.g. `{ action: 'edit' }`
107 * @return {string} Url of the page with name of `pageName`
108 */
109 getUrl: function ( pageName, params ) {
110 var titleFragmentStart, url, query,
111 fragment = '',
112 title = typeof pageName === 'string' ? pageName : mw.config.get( 'wgPageName' );
113
114 // Find any fragment
115 titleFragmentStart = title.indexOf( '#' );
116 if ( titleFragmentStart !== -1 ) {
117 fragment = title.slice( titleFragmentStart + 1 );
118 // Exclude the fragment from the page name
119 title = title.slice( 0, titleFragmentStart );
120 }
121
122 // Produce query string
123 if ( params ) {
124 query = $.param( params );
125 }
126 if ( query ) {
127 url = title
128 ? util.wikiScript() + '?title=' + util.wikiUrlencode( title ) + '&' + query
129 : util.wikiScript() + '?' + query;
130 } else {
131 url = mw.config.get( 'wgArticlePath' ).replace( '$1', util.wikiUrlencode( title ) );
132 }
133
134 // Append the encoded fragment
135 if ( fragment.length ) {
136 url += '#' + util.escapeId( fragment );
137 }
138
139 return url;
140 },
141
142 /**
143 * Get address to a script in the wiki root.
144 * For index.php use `mw.config.get( 'wgScript' )`.
145 *
146 * @since 1.18
147 * @param {string} str Name of script (e.g. 'api'), defaults to 'index'
148 * @return {string} Address to script (e.g. '/w/api.php' )
149 */
150 wikiScript: function ( str ) {
151 str = str || 'index';
152 if ( str === 'index' ) {
153 return mw.config.get( 'wgScript' );
154 } else if ( str === 'load' ) {
155 return mw.config.get( 'wgLoadScript' );
156 } else {
157 return mw.config.get( 'wgScriptPath' ) + '/' + str + '.php';
158 }
159 },
160
161 /**
162 * Append a new style block to the head and return the CSSStyleSheet object.
163 * Use .ownerNode to access the `<style>` element, or use mw.loader#addStyleTag.
164 * This function returns the styleSheet object for convience (due to cross-browsers
165 * difference as to where it is located).
166 *
167 * var sheet = mw.util.addCSS( '.foobar { display: none; }' );
168 * $( foo ).click( function () {
169 * // Toggle the sheet on and off
170 * sheet.disabled = !sheet.disabled;
171 * } );
172 *
173 * @param {string} text CSS to be appended
174 * @return {CSSStyleSheet} Use .ownerNode to get to the `<style>` element.
175 */
176 addCSS: function ( text ) {
177 var s = mw.loader.addStyleTag( text );
178 return s.sheet || s.styleSheet || s;
179 },
180
181 /**
182 * Grab the URL parameter value for the given parameter.
183 * Returns null if not found.
184 *
185 * @param {string} param The parameter name.
186 * @param {string} [url=location.href] URL to search through, defaulting to the current browsing location.
187 * @return {Mixed} Parameter value or null.
188 */
189 getParamValue: function ( param, url ) {
190 if ( url === undefined ) {
191 url = location.href;
192 }
193 // Get last match, stop at hash
194 var re = new RegExp( '^[^#]*[&?]' + mw.RegExp.escape( param ) + '=([^&#]*)' ),
195 m = re.exec( url );
196 if ( m ) {
197 // Beware that decodeURIComponent is not required to understand '+'
198 // by spec, as encodeURIComponent does not produce it.
199 return decodeURIComponent( m[ 1 ].replace( /\+/g, '%20' ) );
200 }
201 return null;
202 },
203
204 /**
205 * The content wrapper of the skin (e.g. `.mw-body`).
206 *
207 * Populated on document ready by #init. To use this property,
208 * wait for `$.ready` and be sure to have a module depedendency on
209 * `mediawiki.util` and `mediawiki.page.startup` which will ensure
210 * your document ready handler fires after #init.
211 *
212 * Because of the lazy-initialised nature of this property,
213 * you're discouraged from using it.
214 *
215 * If you need just the wikipage content (not any of the
216 * extra elements output by the skin), use `$( '#mw-content-text' )`
217 * instead. Or listen to mw.hook#wikipage_content which will
218 * allow your code to re-run when the page changes (e.g. live preview
219 * or re-render after ajax save).
220 *
221 * @property {jQuery}
222 */
223 $content: null,
224
225 /**
226 * Add a link to a portlet menu on the page, such as:
227 *
228 * p-cactions (Content actions), p-personal (Personal tools),
229 * p-navigation (Navigation), p-tb (Toolbox)
230 *
231 * The first three parameters are required, the others are optional and
232 * may be null. Though providing an id and tooltip is recommended.
233 *
234 * By default the new link will be added to the end of the list. To
235 * add the link before a given existing item, pass the DOM node
236 * (e.g. `document.getElementById( 'foobar' )`) or a jQuery-selector
237 * (e.g. `'#foobar'`) for that item.
238 *
239 * mw.util.addPortletLink(
240 * 'p-tb', 'https://www.mediawiki.org/',
241 * 'mediawiki.org', 't-mworg', 'Go to mediawiki.org', 'm', '#t-print'
242 * );
243 *
244 * var node = mw.util.addPortletLink(
245 * 'p-tb',
246 * new mw.Title( 'Special:Example' ).getUrl(),
247 * 'Example'
248 * );
249 * $( node ).on( 'click', function ( e ) {
250 * console.log( 'Example' );
251 * e.preventDefault();
252 * } );
253 *
254 * @param {string} portlet ID of the target portlet ( 'p-cactions' or 'p-personal' etc.)
255 * @param {string} href Link URL
256 * @param {string} text Link text
257 * @param {string} [id] ID of the new item, should be unique and preferably have
258 * the appropriate prefix ( 'ca-', 'pt-', 'n-' or 't-' )
259 * @param {string} [tooltip] Text to show when hovering over the link, without accesskey suffix
260 * @param {string} [accesskey] Access key to activate this link (one character, try
261 * to avoid conflicts. Use `$( '[accesskey=x]' ).get()` in the console to
262 * see if 'x' is already used.
263 * @param {HTMLElement|jQuery|string} [nextnode] Element or jQuery-selector string to the item that
264 * the new item should be added before, should be another item in the same
265 * list, it will be ignored otherwise
266 *
267 * @return {HTMLElement|null} The added element (a ListItem or Anchor element,
268 * depending on the skin) or null if no element was added to the document.
269 */
270 addPortletLink: function ( portlet, href, text, id, tooltip, accesskey, nextnode ) {
271 var $item, $link, $portlet, $ul;
272
273 // Check if there's at least 3 arguments to prevent a TypeError
274 if ( arguments.length < 3 ) {
275 return null;
276 }
277 // Setup the anchor tag
278 $link = $( '<a>' ).attr( 'href', href ).text( text );
279 if ( tooltip ) {
280 $link.attr( 'title', tooltip );
281 }
282
283 // Select the specified portlet
284 $portlet = $( '#' + portlet );
285 if ( $portlet.length === 0 ) {
286 return null;
287 }
288 // Select the first (most likely only) unordered list inside the portlet
289 $ul = $portlet.find( 'ul' ).eq( 0 );
290
291 // If it didn't have an unordered list yet, create it
292 if ( $ul.length === 0 ) {
293
294 $ul = $( '<ul>' );
295
296 // If there's no <div> inside, append it to the portlet directly
297 if ( $portlet.find( 'div:first' ).length === 0 ) {
298 $portlet.append( $ul );
299 } else {
300 // otherwise if there's a div (such as div.body or div.pBody)
301 // append the <ul> to last (most likely only) div
302 $portlet.find( 'div' ).eq( -1 ).append( $ul );
303 }
304 }
305 // Just in case..
306 if ( $ul.length === 0 ) {
307 return null;
308 }
309
310 // Unhide portlet if it was hidden before
311 $portlet.removeClass( 'emptyPortlet' );
312
313 // Wrap the anchor tag in a list item (and a span if $portlet is a Vector tab)
314 // and back up the selector to the list item
315 if ( $portlet.hasClass( 'vectorTabs' ) ) {
316 $item = $link.wrap( '<li><span></span></li>' ).parent().parent();
317 } else {
318 $item = $link.wrap( '<li></li>' ).parent();
319 }
320
321 // Implement the properties passed to the function
322 if ( id ) {
323 $item.attr( 'id', id );
324 }
325
326 if ( accesskey ) {
327 $link.attr( 'accesskey', accesskey );
328 }
329
330 if ( tooltip ) {
331 $link.attr( 'title', tooltip );
332 }
333
334 if ( nextnode ) {
335 // Case: nextnode is a DOM element (was the only option before MW 1.17, in wikibits.js)
336 // Case: nextnode is a CSS selector for jQuery
337 if ( nextnode.nodeType || typeof nextnode === 'string' ) {
338 nextnode = $ul.find( nextnode );
339 } else if ( !nextnode.jquery ) {
340 // Error: Invalid nextnode
341 nextnode = undefined;
342 }
343 if ( nextnode && ( nextnode.length !== 1 || nextnode[ 0 ].parentNode !== $ul[ 0 ] ) ) {
344 // Error: nextnode must resolve to a single node
345 // Error: nextnode must have the associated <ul> as its parent
346 nextnode = undefined;
347 }
348 }
349
350 // Case: nextnode is a jQuery-wrapped DOM element
351 if ( nextnode ) {
352 nextnode.before( $item );
353 } else {
354 // Fallback (this is the default behavior)
355 $ul.append( $item );
356 }
357
358 // Update tooltip for the access key after inserting into DOM
359 // to get a localized access key label (bug 67946).
360 $link.updateTooltipAccessKeys();
361
362 return $item[ 0 ];
363 },
364
365 /**
366 * Validate a string as representing a valid e-mail address
367 * according to HTML5 specification. Please note the specification
368 * does not validate a domain with one character.
369 *
370 * FIXME: should be moved to or replaced by a validation module.
371 *
372 * @param {string} mailtxt E-mail address to be validated.
373 * @return {boolean|null} Null if `mailtxt` was an empty string, otherwise true/false
374 * as determined by validation.
375 */
376 validateEmail: function ( mailtxt ) {
377 var rfc5322Atext, rfc1034LdhStr, html5EmailRegexp;
378
379 if ( mailtxt === '' ) {
380 return null;
381 }
382
383 // HTML5 defines a string as valid e-mail address if it matches
384 // the ABNF:
385 // 1 * ( atext / "." ) "@" ldh-str 1*( "." ldh-str )
386 // With:
387 // - atext : defined in RFC 5322 section 3.2.3
388 // - ldh-str : defined in RFC 1034 section 3.5
389 //
390 // (see STD 68 / RFC 5234 http://tools.ietf.org/html/std68)
391 // First, define the RFC 5322 'atext' which is pretty easy:
392 // atext = ALPHA / DIGIT / ; Printable US-ASCII
393 // "!" / "#" / ; characters not including
394 // "$" / "%" / ; specials. Used for atoms.
395 // "&" / "'" /
396 // "*" / "+" /
397 // "-" / "/" /
398 // "=" / "?" /
399 // "^" / "_" /
400 // "`" / "{" /
401 // "|" / "}" /
402 // "~"
403 rfc5322Atext = 'a-z0-9!#$%&\'*+\\-/=?^_`{|}~';
404
405 // Next define the RFC 1034 'ldh-str'
406 // <domain> ::= <subdomain> | " "
407 // <subdomain> ::= <label> | <subdomain> "." <label>
408 // <label> ::= <letter> [ [ <ldh-str> ] <let-dig> ]
409 // <ldh-str> ::= <let-dig-hyp> | <let-dig-hyp> <ldh-str>
410 // <let-dig-hyp> ::= <let-dig> | "-"
411 // <let-dig> ::= <letter> | <digit>
412 rfc1034LdhStr = 'a-z0-9\\-';
413
414 html5EmailRegexp = new RegExp(
415 // start of string
416 '^'
417 +
418 // User part which is liberal :p
419 '[' + rfc5322Atext + '\\.]+'
420 +
421 // 'at'
422 '@'
423 +
424 // Domain first part
425 '[' + rfc1034LdhStr + ']+'
426 +
427 // Optional second part and following are separated by a dot
428 '(?:\\.[' + rfc1034LdhStr + ']+)*'
429 +
430 // End of string
431 '$',
432 // RegExp is case insensitive
433 'i'
434 );
435 return ( mailtxt.match( html5EmailRegexp ) !== null );
436 },
437
438 /**
439 * Note: borrows from IP::isIPv4
440 *
441 * @param {string} address
442 * @param {boolean} allowBlock
443 * @return {boolean}
444 */
445 isIPv4Address: function ( address, allowBlock ) {
446 if ( typeof address !== 'string' ) {
447 return false;
448 }
449
450 var block = allowBlock ? '(?:\\/(?:3[0-2]|[12]?\\d))?' : '',
451 RE_IP_BYTE = '(?:25[0-5]|2[0-4][0-9]|1[0-9][0-9]|0?[0-9]?[0-9])',
452 RE_IP_ADD = '(?:' + RE_IP_BYTE + '\\.){3}' + RE_IP_BYTE;
453
454 return ( new RegExp( '^' + RE_IP_ADD + block + '$' ).test( address ) );
455 },
456
457 /**
458 * Note: borrows from IP::isIPv6
459 *
460 * @param {string} address
461 * @param {boolean} allowBlock
462 * @return {boolean}
463 */
464 isIPv6Address: function ( address, allowBlock ) {
465 if ( typeof address !== 'string' ) {
466 return false;
467 }
468
469 var block = allowBlock ? '(?:\\/(?:12[0-8]|1[01][0-9]|[1-9]?\\d))?' : '',
470 RE_IPV6_ADD =
471 '(?:' + // starts with "::" (including "::")
472 ':(?::|(?::' + '[0-9A-Fa-f]{1,4}' + '){1,7})' +
473 '|' + // ends with "::" (except "::")
474 '[0-9A-Fa-f]{1,4}' + '(?::' + '[0-9A-Fa-f]{1,4}' + '){0,6}::' +
475 '|' + // contains no "::"
476 '[0-9A-Fa-f]{1,4}' + '(?::' + '[0-9A-Fa-f]{1,4}' + '){7}' +
477 ')';
478
479 if ( new RegExp( '^' + RE_IPV6_ADD + block + '$' ).test( address ) ) {
480 return true;
481 }
482
483 // contains one "::" in the middle (single '::' check below)
484 RE_IPV6_ADD = '[0-9A-Fa-f]{1,4}' + '(?:::?' + '[0-9A-Fa-f]{1,4}' + '){1,6}';
485
486 return (
487 new RegExp( '^' + RE_IPV6_ADD + block + '$' ).test( address )
488 && /::/.test( address )
489 && !/::.*::/.test( address )
490 );
491 },
492
493 /**
494 * Check whether a string is an IP address
495 *
496 * @since 1.25
497 * @param {string} address String to check
498 * @param {boolean} allowBlock True if a block of IPs should be allowed
499 * @return {boolean}
500 */
501 isIPAddress: function ( address, allowBlock ) {
502 return util.isIPv4Address( address, allowBlock ) ||
503 util.isIPv6Address( address, allowBlock );
504 }
505 };
506
507 /**
508 * @method wikiGetlink
509 * @inheritdoc #getUrl
510 * @deprecated since 1.23 Use #getUrl instead.
511 */
512 mw.log.deprecate( util, 'wikiGetlink', util.getUrl, 'Use mw.util.getUrl instead.' );
513
514 /**
515 * Access key prefix. Might be wrong for browsers implementing the accessKeyLabel property.
516 * @property {string} tooltipAccessKeyPrefix
517 * @deprecated since 1.24 Use the module jquery.accessKeyLabel instead.
518 */
519 mw.log.deprecate( util, 'tooltipAccessKeyPrefix', $.fn.updateTooltipAccessKeys.getAccessKeyPrefix(), 'Use jquery.accessKeyLabel instead.' );
520
521 /**
522 * Regex to match accesskey tooltips.
523 *
524 * Should match:
525 *
526 * - "[ctrl-option-x]"
527 * - "[alt-shift-x]"
528 * - "[ctrl-alt-x]"
529 * - "[ctrl-x]"
530 *
531 * The accesskey is matched in group $6.
532 *
533 * Will probably not work for browsers implementing the accessKeyLabel property.
534 *
535 * @property {RegExp} tooltipAccessKeyRegexp
536 * @deprecated since 1.24 Use the module jquery.accessKeyLabel instead.
537 */
538 mw.log.deprecate( util, 'tooltipAccessKeyRegexp', /\[(ctrl-)?(option-)?(alt-)?(shift-)?(esc-)?(.)\]$/, 'Use jquery.accessKeyLabel instead.' );
539
540 /**
541 * Add the appropriate prefix to the accesskey shown in the tooltip.
542 *
543 * If the `$nodes` parameter is given, only those nodes are updated;
544 * otherwise we update all elements with accesskeys on the page.
545 *
546 * @method updateTooltipAccessKeys
547 * @param {Array|jQuery} [$nodes] A jQuery object, or array of nodes to update.
548 * @deprecated since 1.24 Use the module jquery.accessKeyLabel instead.
549 */
550 mw.log.deprecate( util, 'updateTooltipAccessKeys', function ( $nodes ) {
551 if ( !$nodes ) {
552 $nodes = $( '[accesskey]' );
553 } else if ( !( $nodes instanceof $ ) ) {
554 $nodes = $( $nodes );
555 }
556
557 $nodes.updateTooltipAccessKeys();
558 }, 'Use jquery.accessKeyLabel instead.' );
559
560 /**
561 * Add a little box at the top of the screen to inform the user of
562 * something, replacing any previous message.
563 * Calling with no arguments, with an empty string or null will hide the message
564 *
565 * @method jsMessage
566 * @deprecated since 1.20 Use mw#notify
567 * @param {Mixed} message The DOM-element, jQuery object or HTML-string to be put inside the message box.
568 * to allow CSS/JS to hide different boxes. null = no class used.
569 */
570 mw.log.deprecate( util, 'jsMessage', function ( message ) {
571 if ( !arguments.length || message === '' || message === null ) {
572 return true;
573 }
574 if ( typeof message !== 'object' ) {
575 message = $.parseHTML( message );
576 }
577 mw.notify( message, { autoHide: true, tag: 'legacy' } );
578 return true;
579 }, 'Use mw.notify instead.' );
580
581 mw.util = util;
582
583 }( mediaWiki, jQuery ) );