Merge "Make update.php file executable"
[mediawiki.git] / resources / src / mediawiki / mediawiki.Title.js
blob43876081b1916f0c7665f5ad5316bd615989b840
1 /*!
2 * @author Neil Kandalgaonkar, 2010
3 * @author Timo Tijhof, 2011-2013
4 * @since 1.18
5 */
6 ( function ( mw, $ ) {
8 /**
9 * @class mw.Title
11 * Parse titles into an object struture. Note that when using the constructor
12 * directly, passing invalid titles will result in an exception. Use #newFromText to use the
13 * logic directly and get null for invalid titles which is easier to work with.
15 * @constructor
16 * @param {string} title Title of the page. If no second argument given,
17 * this will be searched for a namespace
18 * @param {number} [namespace=NS_MAIN] If given, will used as default namespace for the given title
19 * @throws {Error} When the title is invalid
21 function Title( title, namespace ) {
22 var parsed = parse( title, namespace );
23 if ( !parsed ) {
24 throw new Error( 'Unable to parse title' );
27 this.namespace = parsed.namespace;
28 this.title = parsed.title;
29 this.ext = parsed.ext;
30 this.fragment = parsed.fragment;
32 return this;
35 /* Private members */
37 var
39 /**
40 * @private
41 * @static
42 * @property NS_MAIN
44 NS_MAIN = 0,
46 /**
47 * @private
48 * @static
49 * @property NS_TALK
51 NS_TALK = 1,
53 /**
54 * @private
55 * @static
56 * @property NS_SPECIAL
58 NS_SPECIAL = -1,
60 /**
61 * Get the namespace id from a namespace name (either from the localized, canonical or alias
62 * name).
64 * Example: On a German wiki this would return 6 for any of 'File', 'Datei', 'Image' or
65 * even 'Bild'.
67 * @private
68 * @static
69 * @method getNsIdByName
70 * @param {string} ns Namespace name (case insensitive, leading/trailing space ignored)
71 * @return {number|boolean} Namespace id or boolean false
73 getNsIdByName = function ( ns ) {
74 var id;
76 // Don't cast non-strings to strings, because null or undefined should not result in
77 // returning the id of a potential namespace called "Null:" (e.g. on null.example.org/wiki)
78 // Also, toLowerCase throws exception on null/undefined, because it is a String method.
79 if ( typeof ns !== 'string' ) {
80 return false;
82 ns = ns.toLowerCase();
83 id = mw.config.get( 'wgNamespaceIds' )[ns];
84 if ( id === undefined ) {
85 return false;
87 return id;
90 rUnderscoreTrim = /^_+|_+$/g,
92 rSplit = /^(.+?)_*:_*(.*)$/,
94 // See Title.php#getTitleInvalidRegex
95 rInvalid = new RegExp(
96 '[^' + mw.config.get( 'wgLegalTitleChars' ) + ']' +
97 // URL percent encoding sequences interfere with the ability
98 // to round-trip titles -- you can't link to them consistently.
99 '|%[0-9A-Fa-f]{2}' +
100 // XML/HTML character references produce similar issues.
101 '|&[A-Za-z0-9\u0080-\uFFFF]+;' +
102 '|&#[0-9]+;' +
103 '|&#x[0-9A-Fa-f]+;'
107 * Internal helper for #constructor and #newFromtext.
109 * Based on Title.php#secureAndSplit
111 * @private
112 * @static
113 * @method parse
114 * @param {string} title
115 * @param {number} [defaultNamespace=NS_MAIN]
116 * @return {Object|boolean}
118 parse = function ( title, defaultNamespace ) {
119 var namespace, m, id, i, fragment, ext;
121 namespace = defaultNamespace === undefined ? NS_MAIN : defaultNamespace;
123 title = title
124 // Normalise whitespace to underscores and remove duplicates
125 .replace( /[ _\s]+/g, '_' )
126 // Trim underscores
127 .replace( rUnderscoreTrim, '' );
129 // Process initial colon
130 if ( title !== '' && title.charAt( 0 ) === ':' ) {
131 // Initial colon means main namespace instead of specified default
132 namespace = NS_MAIN;
133 title = title
134 // Strip colon
135 .substr( 1 )
136 // Trim underscores
137 .replace( rUnderscoreTrim, '' );
140 if ( title === '' ) {
141 return false;
144 // Process namespace prefix (if any)
145 m = title.match( rSplit );
146 if ( m ) {
147 id = getNsIdByName( m[1] );
148 if ( id !== false ) {
149 // Ordinary namespace
150 namespace = id;
151 title = m[2];
153 // For Talk:X pages, make sure X has no "namespace" prefix
154 if ( namespace === NS_TALK && ( m = title.match( rSplit ) ) ) {
155 // Disallow titles like Talk:File:x (subject should roundtrip: talk:file:x -> file:x -> file_talk:x)
156 if ( getNsIdByName( m[1] ) !== false ) {
157 return false;
163 // Process fragment
164 i = title.indexOf( '#' );
165 if ( i === -1 ) {
166 fragment = null;
167 } else {
168 fragment = title
169 // Get segment starting after the hash
170 .substr( i + 1 )
171 // Convert to text
172 // NB: Must not be trimmed ("Example#_foo" is not the same as "Example#foo")
173 .replace( /_/g, ' ' );
175 title = title
176 // Strip hash
177 .substr( 0, i )
178 // Trim underscores, again (strips "_" from "bar" in "Foo_bar_#quux")
179 .replace( rUnderscoreTrim, '' );
182 // Reject illegal characters
183 if ( title.match( rInvalid ) ) {
184 return false;
187 // Disallow titles that browsers or servers might resolve as directory navigation
188 if (
189 title.indexOf( '.' ) !== -1 && (
190 title === '.' || title === '..' ||
191 title.indexOf( './' ) === 0 ||
192 title.indexOf( '../' ) === 0 ||
193 title.indexOf( '/./' ) !== -1 ||
194 title.indexOf( '/../' ) !== -1 ||
195 title.substr( title.length - 2 ) === '/.' ||
196 title.substr( title.length - 3 ) === '/..'
199 return false;
202 // Disallow magic tilde sequence
203 if ( title.indexOf( '~~~' ) !== -1 ) {
204 return false;
207 // Disallow titles exceeding the 255 byte size limit (size of underlying database field)
208 // Except for special pages, e.g. [[Special:Block/Long name]]
209 // Note: The PHP implementation also asserts that even in NS_SPECIAL, the title should
210 // be less than 512 bytes.
211 if ( namespace !== NS_SPECIAL && $.byteLength( title ) > 255 ) {
212 return false;
215 // Can't make a link to a namespace alone.
216 if ( title === '' && namespace !== NS_MAIN ) {
217 return false;
220 // Any remaining initial :s are illegal.
221 if ( title.charAt( 0 ) === ':' ) {
222 return false;
225 // For backwards-compatibility with old mw.Title, we separate the extension from the
226 // rest of the title.
227 i = title.lastIndexOf( '.' );
228 if ( i === -1 || title.length <= i + 1 ) {
229 // Extensions are the non-empty segment after the last dot
230 ext = null;
231 } else {
232 ext = title.substr( i + 1 );
233 title = title.substr( 0, i );
236 return {
237 namespace: namespace,
238 title: title,
239 ext: ext,
240 fragment: fragment
245 * Convert db-key to readable text.
247 * @private
248 * @static
249 * @method text
250 * @param {string} s
251 * @return {string}
253 text = function ( s ) {
254 if ( s !== null && s !== undefined ) {
255 return s.replace( /_/g, ' ' );
256 } else {
257 return '';
261 // Polyfill for ES5 Object.create
262 createObject = Object.create || ( function () {
263 return function ( o ) {
264 function Title() {}
265 if ( o !== Object( o ) ) {
266 throw new Error( 'Cannot inherit from a non-object' );
268 Title.prototype = o;
269 return new Title();
271 }() );
273 /* Static members */
276 * Constructor for Title objects with a null return instead of an exception for invalid titles.
278 * @static
279 * @method
280 * @param {string} title
281 * @param {number} [namespace=NS_MAIN] Default namespace
282 * @return {mw.Title|null} A valid Title object or null if the title is invalid
284 Title.newFromText = function ( title, namespace ) {
285 var t, parsed = parse( title, namespace );
286 if ( !parsed ) {
287 return null;
290 t = createObject( Title.prototype );
291 t.namespace = parsed.namespace;
292 t.title = parsed.title;
293 t.ext = parsed.ext;
294 t.fragment = parsed.fragment;
296 return t;
300 * Get the file title from an image element
302 * var title = mw.Title.newFromImg( $( 'img:first' ) );
304 * @static
305 * @param {HTMLElement|jQuery} img The image to use as a base
306 * @return {mw.Title|null} The file title or null if unsuccessful
308 Title.newFromImg = function ( img ) {
309 var matches, i, regex, src, decodedSrc,
311 // thumb.php-generated thumbnails
312 thumbPhpRegex = /thumb\.php/,
313 regexes = [
314 // Thumbnails
315 /\/[a-f0-9]\/[a-f0-9]{2}\/([^\s\/]+)\/[^\s\/]+-(?:\1|thumbnail)[^\s\/]*$/,
317 // Thumbnails in non-hashed upload directories
318 /\/([^\s\/]+)\/[^\s\/]+-(?:\1|thumbnail)[^\s\/]*$/,
320 // Full size images
321 /\/[a-f0-9]\/[a-f0-9]{2}\/([^\s\/]+)$/,
323 // Full-size images in non-hashed upload directories
324 /\/([^\s\/]+)$/
327 recount = regexes.length;
329 src = img.jquery ? img[0].src : img.src;
331 matches = src.match( thumbPhpRegex );
333 if ( matches ) {
334 return mw.Title.newFromText( 'File:' + mw.util.getParamValue( 'f', src ) );
337 decodedSrc = decodeURIComponent( src );
339 for ( i = 0; i < recount; i++ ) {
340 regex = regexes[i];
341 matches = decodedSrc.match( regex );
343 if ( matches && matches[1] ) {
344 return mw.Title.newFromText( 'File:' + matches[1] );
348 return null;
352 * Whether this title exists on the wiki.
354 * @static
355 * @param {string|mw.Title} title prefixed db-key name (string) or instance of Title
356 * @return {boolean|null} Boolean if the information is available, otherwise null
358 Title.exists = function ( title ) {
359 var match,
360 type = $.type( title ),
361 obj = Title.exist.pages;
363 if ( type === 'string' ) {
364 match = obj[title];
365 } else if ( type === 'object' && title instanceof Title ) {
366 match = obj[title.toString()];
367 } else {
368 throw new Error( 'mw.Title.exists: title must be a string or an instance of Title' );
371 if ( typeof match === 'boolean' ) {
372 return match;
375 return null;
379 * Store page existence
381 * @static
382 * @property {Object} exist
383 * @property {Object} exist.pages Keyed by title. Boolean true value indicates page does exist.
385 * @property {Function} exist.set The setter function.
387 * Example to declare existing titles:
389 * Title.exist.set( ['User:John_Doe', ...] );
391 * Example to declare titles nonexistent:
393 * Title.exist.set( ['File:Foo_bar.jpg', ...], false );
395 * @property {string|Array} exist.set.titles Title(s) in strict prefixedDb title form
396 * @property {boolean} [exist.set.state=true] State of the given titles
397 * @return {boolean}
399 Title.exist = {
400 pages: {},
402 set: function ( titles, state ) {
403 titles = $.isArray( titles ) ? titles : [titles];
404 state = state === undefined ? true : !!state;
405 var pages = this.pages, i, len = titles.length;
406 for ( i = 0; i < len; i++ ) {
407 pages[ titles[i] ] = state;
409 return true;
413 /* Public members */
415 Title.prototype = {
416 constructor: Title,
419 * Get the namespace number
421 * Example: 6 for "File:Example_image.svg".
423 * @return {number}
425 getNamespaceId: function () {
426 return this.namespace;
430 * Get the namespace prefix (in the content language)
432 * Example: "File:" for "File:Example_image.svg".
433 * In #NS_MAIN this is '', otherwise namespace name plus ':'
435 * @return {string}
437 getNamespacePrefix: function () {
438 return this.namespace === NS_MAIN ?
439 '' :
440 ( mw.config.get( 'wgFormattedNamespaces' )[ this.namespace ].replace( / /g, '_' ) + ':' );
444 * Get the page name without extension or namespace prefix
446 * Example: "Example_image" for "File:Example_image.svg".
448 * For the page title (full page name without namespace prefix), see #getMain.
450 * @return {string}
452 getName: function () {
453 if ( $.inArray( this.namespace, mw.config.get( 'wgCaseSensitiveNamespaces' ) ) !== -1 ) {
454 return this.title;
455 } else {
456 return $.ucFirst( this.title );
461 * Get the page name (transformed by #text)
463 * Example: "Example image" for "File:Example_image.svg".
465 * For the page title (full page name without namespace prefix), see #getMainText.
467 * @return {string}
469 getNameText: function () {
470 return text( this.getName() );
474 * Get the extension of the page name (if any)
476 * @return {string|null} Name extension or null if there is none
478 getExtension: function () {
479 return this.ext;
483 * Shortcut for appendable string to form the main page name.
485 * Returns a string like ".json", or "" if no extension.
487 * @return {string}
489 getDotExtension: function () {
490 return this.ext === null ? '' : '.' + this.ext;
494 * Get the main page name
496 * Example: "Example_image.svg" for "File:Example_image.svg".
498 * @return {string}
500 getMain: function () {
501 return this.getName() + this.getDotExtension();
505 * Get the main page name (transformed by #text)
507 * Example: "Example image.svg" for "File:Example_image.svg".
509 * @return {string}
511 getMainText: function () {
512 return text( this.getMain() );
516 * Get the full page name
518 * Example: "File:Example_image.svg".
519 * Most useful for API calls, anything that must identify the "title".
521 * @return {string}
523 getPrefixedDb: function () {
524 return this.getNamespacePrefix() + this.getMain();
528 * Get the full page name (transformed by #text)
530 * Example: "File:Example image.svg" for "File:Example_image.svg".
532 * @return {string}
534 getPrefixedText: function () {
535 return text( this.getPrefixedDb() );
539 * Get the fragment (if any).
541 * Note that this method (by design) does not include the hash character and
542 * the value is not url encoded.
544 * @return {string|null}
546 getFragment: function () {
547 return this.fragment;
551 * Get the URL to this title
553 * @see mw.util#getUrl
554 * @param {Object} [params] A mapping of query parameter names to values,
555 * e.g. `{ action: 'edit' }`.
556 * @return {string}
558 getUrl: function ( params ) {
559 return mw.util.getUrl( this.toString(), params );
563 * Whether this title exists on the wiki.
565 * @see #static-method-exists
566 * @return {boolean|null} Boolean if the information is available, otherwise null
568 exists: function () {
569 return Title.exists( this );
574 * @alias #getPrefixedDb
575 * @method
577 Title.prototype.toString = Title.prototype.getPrefixedDb;
580 * @alias #getPrefixedText
581 * @method
583 Title.prototype.toText = Title.prototype.getPrefixedText;
585 // Expose
586 mw.Title = Title;
588 }( mediaWiki, jQuery ) );