Parser::parse() a) is used by Article, CoreParserFunctions, EditPage, JobQueue, Outpu...
[lhc/web/wiklou.git] / includes / Parser.php
1 <?php
2 /**
3 * File for Parser and related classes
4 *
5 * @package MediaWiki
6 * @subpackage Parser
7 */
8
9 /**
10 * Update this version number when the ParserOutput format
11 * changes in an incompatible way, so the parser cache
12 * can automatically discard old data.
13 */
14 define( 'MW_PARSER_VERSION', '1.6.1' );
15
16 define( 'RLH_FOR_UPDATE', 1 );
17
18 # Allowed values for $mOutputType
19 define( 'OT_HTML', 1 );
20 define( 'OT_WIKI', 2 );
21 define( 'OT_MSG' , 3 );
22 define( 'OT_PREPROCESS', 4 );
23
24 # Flags for setFunctionHook
25 define( 'SFH_NO_HASH', 1 );
26
27 # string parameter for extractTags which will cause it
28 # to strip HTML comments in addition to regular
29 # <XML>-style tags. This should not be anything we
30 # may want to use in wikisyntax
31 define( 'STRIP_COMMENTS', 'HTMLCommentStrip' );
32
33 # Constants needed for external link processing
34 define( 'HTTP_PROTOCOLS', 'http:\/\/|https:\/\/' );
35 # Everything except bracket, space, or control characters
36 define( 'EXT_LINK_URL_CLASS', '[^][<>"\\x00-\\x20\\x7F]' );
37 # Including space, but excluding newlines
38 define( 'EXT_LINK_TEXT_CLASS', '[^\]\\x0a\\x0d]' );
39 define( 'EXT_IMAGE_FNAME_CLASS', '[A-Za-z0-9_.,~%\\-+&;#*?!=()@\\x80-\\xFF]' );
40 define( 'EXT_IMAGE_EXTENSIONS', 'gif|png|jpg|jpeg' );
41 define( 'EXT_LINK_BRACKETED', '/\[(\b(' . wfUrlProtocols() . ')'.
42 EXT_LINK_URL_CLASS.'+) *('.EXT_LINK_TEXT_CLASS.'*?)\]/S' );
43 define( 'EXT_IMAGE_REGEX',
44 '/^('.HTTP_PROTOCOLS.')'. # Protocol
45 '('.EXT_LINK_URL_CLASS.'+)\\/'. # Hostname and path
46 '('.EXT_IMAGE_FNAME_CLASS.'+)\\.((?i)'.EXT_IMAGE_EXTENSIONS.')$/S' # Filename
47 );
48
49 // State constants for the definition list colon extraction
50 define( 'MW_COLON_STATE_TEXT', 0 );
51 define( 'MW_COLON_STATE_TAG', 1 );
52 define( 'MW_COLON_STATE_TAGSTART', 2 );
53 define( 'MW_COLON_STATE_CLOSETAG', 3 );
54 define( 'MW_COLON_STATE_TAGSLASH', 4 );
55 define( 'MW_COLON_STATE_COMMENT', 5 );
56 define( 'MW_COLON_STATE_COMMENTDASH', 6 );
57 define( 'MW_COLON_STATE_COMMENTDASHDASH', 7 );
58
59 /**
60 * PHP Parser
61 *
62 * Processes wiki markup
63 *
64 * <pre>
65 * There are four main entry points into the Parser class:
66 * parse()
67 * produces HTML output
68 * preSaveTransform().
69 * produces altered wiki markup.
70 * transformMsg()
71 * performs brace substitution on MediaWiki messages
72 * preprocess()
73 * removes HTML comments and expands templates
74 *
75 * Globals used:
76 * objects: $wgLang, $wgContLang
77 *
78 * NOT $wgArticle, $wgUser or $wgTitle. Keep them away!
79 *
80 * settings:
81 * $wgUseTex*, $wgUseDynamicDates*, $wgInterwikiMagic*,
82 * $wgNamespacesWithSubpages, $wgAllowExternalImages*,
83 * $wgLocaltimezone, $wgAllowSpecialInclusion*,
84 * $wgMaxArticleSize*
85 *
86 * * only within ParserOptions
87 * </pre>
88 *
89 * @package MediaWiki
90 */
91 class Parser
92 {
93 /**#@+
94 * @private
95 */
96 # Persistent:
97 var $mTagHooks, $mFunctionHooks, $mFunctionSynonyms, $mVariables;
98
99 # Cleared with clearState():
100 var $mOutput, $mAutonumber, $mDTopen, $mStripState;
101 var $mIncludeCount, $mArgStack, $mLastSection, $mInPre;
102 var $mInterwikiLinkHolders, $mLinkHolders, $mUniqPrefix;
103 var $mIncludeSizes, $mDefaultSort;
104 var $mTemplates, // cache of already loaded templates, avoids
105 // multiple SQL queries for the same string
106 $mTemplatePath; // stores an unsorted hash of all the templates already loaded
107 // in this path. Used for loop detection.
108
109 # Temporary
110 # These are variables reset at least once per parse regardless of $clearState
111 var $mOptions, // ParserOptions object
112 $mTitle, // Title context, used for self-link rendering and similar things
113 $mOutputType, // Output type, one of the OT_xxx constants
114 $ot, // Shortcut alias, see setOutputType()
115 $mRevisionId, // ID to display in {{REVISIONID}} tags
116 $mRevisionTimestamp, // The timestamp of the specified revision ID
117 $mRevIdForTs; // The revision ID which was used to fetch the timestamp
118
119 /**#@-*/
120
121 /**
122 * Constructor
123 *
124 * @public
125 */
126 function Parser() {
127 $this->mTagHooks = array();
128 $this->mFunctionHooks = array();
129 $this->mFunctionSynonyms = array( 0 => array(), 1 => array() );
130 $this->mFirstCall = true;
131 }
132
133 /**
134 * Do various kinds of initialisation on the first call of the parser
135 */
136 function firstCallInit() {
137 if ( !$this->mFirstCall ) {
138 return;
139 }
140
141 wfProfileIn( __METHOD__ );
142 global $wgAllowDisplayTitle, $wgAllowSlowParserFunctions;
143
144 $this->setHook( 'pre', array( $this, 'renderPreTag' ) );
145
146 $this->setFunctionHook( 'int', array( 'CoreParserFunctions', 'intFunction' ), SFH_NO_HASH );
147 $this->setFunctionHook( 'ns', array( 'CoreParserFunctions', 'ns' ), SFH_NO_HASH );
148 $this->setFunctionHook( 'urlencode', array( 'CoreParserFunctions', 'urlencode' ), SFH_NO_HASH );
149 $this->setFunctionHook( 'lcfirst', array( 'CoreParserFunctions', 'lcfirst' ), SFH_NO_HASH );
150 $this->setFunctionHook( 'ucfirst', array( 'CoreParserFunctions', 'ucfirst' ), SFH_NO_HASH );
151 $this->setFunctionHook( 'lc', array( 'CoreParserFunctions', 'lc' ), SFH_NO_HASH );
152 $this->setFunctionHook( 'uc', array( 'CoreParserFunctions', 'uc' ), SFH_NO_HASH );
153 $this->setFunctionHook( 'localurl', array( 'CoreParserFunctions', 'localurl' ), SFH_NO_HASH );
154 $this->setFunctionHook( 'localurle', array( 'CoreParserFunctions', 'localurle' ), SFH_NO_HASH );
155 $this->setFunctionHook( 'fullurl', array( 'CoreParserFunctions', 'fullurl' ), SFH_NO_HASH );
156 $this->setFunctionHook( 'fullurle', array( 'CoreParserFunctions', 'fullurle' ), SFH_NO_HASH );
157 $this->setFunctionHook( 'formatnum', array( 'CoreParserFunctions', 'formatnum' ), SFH_NO_HASH );
158 $this->setFunctionHook( 'grammar', array( 'CoreParserFunctions', 'grammar' ), SFH_NO_HASH );
159 $this->setFunctionHook( 'plural', array( 'CoreParserFunctions', 'plural' ), SFH_NO_HASH );
160 $this->setFunctionHook( 'numberofpages', array( 'CoreParserFunctions', 'numberofpages' ), SFH_NO_HASH );
161 $this->setFunctionHook( 'numberofusers', array( 'CoreParserFunctions', 'numberofusers' ), SFH_NO_HASH );
162 $this->setFunctionHook( 'numberofarticles', array( 'CoreParserFunctions', 'numberofarticles' ), SFH_NO_HASH );
163 $this->setFunctionHook( 'numberoffiles', array( 'CoreParserFunctions', 'numberoffiles' ), SFH_NO_HASH );
164 $this->setFunctionHook( 'numberofadmins', array( 'CoreParserFunctions', 'numberofadmins' ), SFH_NO_HASH );
165 $this->setFunctionHook( 'language', array( 'CoreParserFunctions', 'language' ), SFH_NO_HASH );
166 $this->setFunctionHook( 'padleft', array( 'CoreParserFunctions', 'padleft' ), SFH_NO_HASH );
167 $this->setFunctionHook( 'padright', array( 'CoreParserFunctions', 'padright' ), SFH_NO_HASH );
168 $this->setFunctionHook( 'anchorencode', array( 'CoreParserFunctions', 'anchorencode' ), SFH_NO_HASH );
169 $this->setFunctionHook( 'special', array( 'CoreParserFunctions', 'special' ) );
170 $this->setFunctionHook( 'defaultsort', array( 'CoreParserFunctions', 'defaultsort' ), SFH_NO_HASH );
171
172 if ( $wgAllowDisplayTitle ) {
173 $this->setFunctionHook( 'displaytitle', array( 'CoreParserFunctions', 'displaytitle' ), SFH_NO_HASH );
174 }
175 if ( $wgAllowSlowParserFunctions ) {
176 $this->setFunctionHook( 'pagesinnamespace', array( 'CoreParserFunctions', 'pagesinnamespace' ), SFH_NO_HASH );
177 }
178
179 $this->initialiseVariables();
180 $this->mFirstCall = false;
181 wfProfileOut( __METHOD__ );
182 }
183
184 /**
185 * Clear Parser state
186 *
187 * @private
188 */
189 function clearState() {
190 wfProfileIn( __METHOD__ );
191 if ( $this->mFirstCall ) {
192 $this->firstCallInit();
193 }
194 $this->mOutput = new ParserOutput;
195 $this->mAutonumber = 0;
196 $this->mLastSection = '';
197 $this->mDTopen = false;
198 $this->mIncludeCount = array();
199 $this->mStripState = new StripState;
200 $this->mArgStack = array();
201 $this->mInPre = false;
202 $this->mInterwikiLinkHolders = array(
203 'texts' => array(),
204 'titles' => array()
205 );
206 $this->mLinkHolders = array(
207 'namespaces' => array(),
208 'dbkeys' => array(),
209 'queries' => array(),
210 'texts' => array(),
211 'titles' => array()
212 );
213 $this->mRevisionTimestamp = $this->mRevisionId = null;
214
215 /**
216 * Prefix for temporary replacement strings for the multipass parser.
217 * \x07 should never appear in input as it's disallowed in XML.
218 * Using it at the front also gives us a little extra robustness
219 * since it shouldn't match when butted up against identifier-like
220 * string constructs.
221 */
222 $this->mUniqPrefix = "\x07UNIQ" . Parser::getRandomString();
223
224 # Clear these on every parse, bug 4549
225 $this->mTemplates = array();
226 $this->mTemplatePath = array();
227
228 $this->mShowToc = true;
229 $this->mForceTocPosition = false;
230 $this->mIncludeSizes = array(
231 'pre-expand' => 0,
232 'post-expand' => 0,
233 'arg' => 0
234 );
235 $this->mDefaultSort = false;
236
237 wfRunHooks( 'ParserClearState', array( &$this ) );
238 wfProfileOut( __METHOD__ );
239 }
240
241 function setOutputType( $ot ) {
242 $this->mOutputType = $ot;
243 // Shortcut alias
244 $this->ot = array(
245 'html' => $ot == OT_HTML,
246 'wiki' => $ot == OT_WIKI,
247 'msg' => $ot == OT_MSG,
248 'pre' => $ot == OT_PREPROCESS,
249 );
250 }
251
252 /**
253 * Accessor for mUniqPrefix.
254 *
255 * @public
256 */
257 function uniqPrefix() {
258 return $this->mUniqPrefix;
259 }
260
261 /**
262 * Convert wikitext to HTML
263 * Do not call this function recursively.
264 *
265 * @param string $text Text we want to parse
266 * @param Title &$title A title object
267 * @param array $options
268 * @param boolean $linestart
269 * @param boolean $clearState
270 * @param int $revid number to pass in {{REVISIONID}}
271 * @return ParserOutput a ParserOutput
272 */
273 public function parse( $text, &$title, $options, $linestart = true, $clearState = true, $revid = null ) {
274 /**
275 * First pass--just handle <nowiki> sections, pass the rest off
276 * to internalParse() which does all the real work.
277 */
278
279 global $wgUseTidy, $wgAlwaysUseTidy, $wgContLang;
280 $fname = 'Parser::parse-' . wfGetCaller();
281 wfProfileIn( __METHOD__ );
282 wfProfileIn( $fname );
283
284 if ( $clearState ) {
285 $this->clearState();
286 }
287
288 $this->mOptions = $options;
289 $this->mTitle =& $title;
290 $oldRevisionId = $this->mRevisionId;
291 $oldRevisionTimestamp = $this->mRevisionTimestamp;
292 if( $revid !== null ) {
293 $this->mRevisionId = $revid;
294 $this->mRevisionTimestamp = null;
295 }
296 $this->setOutputType( OT_HTML );
297 wfRunHooks( 'ParserBeforeStrip', array( &$this, &$text, &$this->mStripState ) );
298 $text = $this->strip( $text, $this->mStripState );
299 wfRunHooks( 'ParserAfterStrip', array( &$this, &$text, &$this->mStripState ) );
300 $text = $this->internalParse( $text );
301 $text = $this->mStripState->unstripGeneral( $text );
302
303 # Clean up special characters, only run once, next-to-last before doBlockLevels
304 $fixtags = array(
305 # french spaces, last one Guillemet-left
306 # only if there is something before the space
307 '/(.) (?=\\?|:|;|!|\\302\\273)/' => '\\1&nbsp;\\2',
308 # french spaces, Guillemet-right
309 '/(\\302\\253) /' => '\\1&nbsp;',
310 );
311 $text = preg_replace( array_keys($fixtags), array_values($fixtags), $text );
312
313 # only once and last
314 $text = $this->doBlockLevels( $text, $linestart );
315
316 $this->replaceLinkHolders( $text );
317
318 # the position of the parserConvert() call should not be changed. it
319 # assumes that the links are all replaced and the only thing left
320 # is the <nowiki> mark.
321 # Side-effects: this calls $this->mOutput->setTitleText()
322 $text = $wgContLang->parserConvert( $text, $this );
323
324 $text = $this->mStripState->unstripNoWiki( $text );
325
326 wfRunHooks( 'ParserBeforeTidy', array( &$this, &$text ) );
327
328 $text = Sanitizer::normalizeCharReferences( $text );
329
330 if (($wgUseTidy and $this->mOptions->mTidy) or $wgAlwaysUseTidy) {
331 $text = Parser::tidy($text);
332 } else {
333 # attempt to sanitize at least some nesting problems
334 # (bug #2702 and quite a few others)
335 $tidyregs = array(
336 # ''Something [http://www.cool.com cool''] -->
337 # <i>Something</i><a href="http://www.cool.com"..><i>cool></i></a>
338 '/(<([bi])>)(<([bi])>)?([^<]*)(<\/?a[^<]*>)([^<]*)(<\/\\4>)?(<\/\\2>)/' =>
339 '\\1\\3\\5\\8\\9\\6\\1\\3\\7\\8\\9',
340 # fix up an anchor inside another anchor, only
341 # at least for a single single nested link (bug 3695)
342 '/(<a[^>]+>)([^<]*)(<a[^>]+>[^<]*)<\/a>(.*)<\/a>/' =>
343 '\\1\\2</a>\\3</a>\\1\\4</a>',
344 # fix div inside inline elements- doBlockLevels won't wrap a line which
345 # contains a div, so fix it up here; replace
346 # div with escaped text
347 '/(<([aib]) [^>]+>)([^<]*)(<div([^>]*)>)(.*)(<\/div>)([^<]*)(<\/\\2>)/' =>
348 '\\1\\3&lt;div\\5&gt;\\6&lt;/div&gt;\\8\\9',
349 # remove empty italic or bold tag pairs, some
350 # introduced by rules above
351 '/<([bi])><\/\\1>/' => '',
352 );
353
354 $text = preg_replace(
355 array_keys( $tidyregs ),
356 array_values( $tidyregs ),
357 $text );
358 }
359
360 wfRunHooks( 'ParserAfterTidy', array( &$this, &$text ) );
361
362 # Information on include size limits, for the benefit of users who try to skirt them
363 if ( max( $this->mIncludeSizes ) > 1000 ) {
364 $max = $this->mOptions->getMaxIncludeSize();
365 $text .= "<!-- \n" .
366 "Pre-expand include size: {$this->mIncludeSizes['pre-expand']} bytes\n" .
367 "Post-expand include size: {$this->mIncludeSizes['post-expand']} bytes\n" .
368 "Template argument size: {$this->mIncludeSizes['arg']} bytes\n" .
369 "Maximum: $max bytes\n" .
370 "-->\n";
371 }
372 $this->mOutput->setText( $text );
373 $this->mRevisionId = $oldRevisionId;
374 $this->mRevisionTimestamp = $oldRevisionTimestamp;
375 wfProfileOut( $fname );
376 wfProfileOut( __METHOD__ );
377
378 return $this->mOutput;
379 }
380
381 /**
382 * Recursive parser entry point that can be called from an extension tag
383 * hook.
384 */
385 function recursiveTagParse( $text ) {
386 wfProfileIn( __METHOD__ );
387 wfRunHooks( 'ParserBeforeStrip', array( &$this, &$text, &$this->mStripState ) );
388 $text = $this->strip( $text, $this->mStripState );
389 wfRunHooks( 'ParserAfterStrip', array( &$this, &$text, &$this->mStripState ) );
390 $text = $this->internalParse( $text );
391 wfProfileOut( __METHOD__ );
392 return $text;
393 }
394
395 /**
396 * Expand templates and variables in the text, producing valid, static wikitext.
397 * Also removes comments.
398 */
399 function preprocess( $text, $title, $options ) {
400 wfProfileIn( __METHOD__ );
401 $this->clearState();
402 $this->setOutputType( OT_PREPROCESS );
403 $this->mOptions = $options;
404 $this->mTitle = $title;
405 wfRunHooks( 'ParserBeforeStrip', array( &$this, &$text, &$this->mStripState ) );
406 $text = $this->strip( $text, $this->mStripState );
407 wfRunHooks( 'ParserAfterStrip', array( &$this, &$text, &$this->mStripState ) );
408 if ( $this->mOptions->getRemoveComments() ) {
409 $text = Sanitizer::removeHTMLcomments( $text );
410 }
411 $text = $this->replaceVariables( $text );
412 $text = $this->mStripState->unstripBoth( $text );
413 wfProfileOut( __METHOD__ );
414 return $text;
415 }
416
417 /**
418 * Get a random string
419 *
420 * @private
421 * @static
422 */
423 function getRandomString() {
424 return dechex(mt_rand(0, 0x7fffffff)) . dechex(mt_rand(0, 0x7fffffff));
425 }
426
427 function &getTitle() { return $this->mTitle; }
428 function getOptions() { return $this->mOptions; }
429
430 function getFunctionLang() {
431 global $wgLang, $wgContLang;
432 return $this->mOptions->getInterfaceMessage() ? $wgLang : $wgContLang;
433 }
434
435 /**
436 * Replaces all occurrences of HTML-style comments and the given tags
437 * in the text with a random marker and returns teh next text. The output
438 * parameter $matches will be an associative array filled with data in
439 * the form:
440 * 'UNIQ-xxxxx' => array(
441 * 'element',
442 * 'tag content',
443 * array( 'param' => 'x' ),
444 * '<element param="x">tag content</element>' ) )
445 *
446 * @param $elements list of element names. Comments are always extracted.
447 * @param $text Source text string.
448 * @param $uniq_prefix
449 *
450 * @private
451 * @static
452 */
453 function extractTagsAndParams($elements, $text, &$matches, $uniq_prefix = ''){
454 static $n = 1;
455 $stripped = '';
456 $matches = array();
457
458 $taglist = implode( '|', $elements );
459 $start = "/<($taglist)(\\s+[^>]*?|\\s*?)(\/?>)|<(!--)/i";
460
461 while ( '' != $text ) {
462 $p = preg_split( $start, $text, 2, PREG_SPLIT_DELIM_CAPTURE );
463 $stripped .= $p[0];
464 if( count( $p ) < 5 ) {
465 break;
466 }
467 if( count( $p ) > 5 ) {
468 // comment
469 $element = $p[4];
470 $attributes = '';
471 $close = '';
472 $inside = $p[5];
473 } else {
474 // tag
475 $element = $p[1];
476 $attributes = $p[2];
477 $close = $p[3];
478 $inside = $p[4];
479 }
480
481 $marker = "$uniq_prefix-$element-" . sprintf('%08X', $n++) . '-QINU';
482 $stripped .= $marker;
483
484 if ( $close === '/>' ) {
485 // Empty element tag, <tag />
486 $content = null;
487 $text = $inside;
488 $tail = null;
489 } else {
490 if( $element == '!--' ) {
491 $end = '/(-->)/';
492 } else {
493 $end = "/(<\\/$element\\s*>)/i";
494 }
495 $q = preg_split( $end, $inside, 2, PREG_SPLIT_DELIM_CAPTURE );
496 $content = $q[0];
497 if( count( $q ) < 3 ) {
498 # No end tag -- let it run out to the end of the text.
499 $tail = '';
500 $text = '';
501 } else {
502 $tail = $q[1];
503 $text = $q[2];
504 }
505 }
506
507 $matches[$marker] = array( $element,
508 $content,
509 Sanitizer::decodeTagAttributes( $attributes ),
510 "<$element$attributes$close$content$tail" );
511 }
512 return $stripped;
513 }
514
515 /**
516 * Strips and renders nowiki, pre, math, hiero
517 * If $render is set, performs necessary rendering operations on plugins
518 * Returns the text, and fills an array with data needed in unstrip()
519 *
520 * @param StripState $state
521 *
522 * @param bool $stripcomments when set, HTML comments <!-- like this -->
523 * will be stripped in addition to other tags. This is important
524 * for section editing, where these comments cause confusion when
525 * counting the sections in the wikisource
526 *
527 * @param array dontstrip contains tags which should not be stripped;
528 * used to prevent stipping of <gallery> when saving (fixes bug 2700)
529 *
530 * @private
531 */
532 function strip( $text, $state, $stripcomments = false , $dontstrip = array () ) {
533 global $wgContLang;
534 wfProfileIn( __METHOD__ );
535 $render = ($this->mOutputType == OT_HTML);
536
537 $uniq_prefix = $this->mUniqPrefix;
538 $commentState = new ReplacementArray;
539 $nowikiItems = array();
540 $generalItems = array();
541
542 $elements = array_merge(
543 array( 'nowiki', 'gallery' ),
544 array_keys( $this->mTagHooks ) );
545 global $wgRawHtml;
546 if( $wgRawHtml ) {
547 $elements[] = 'html';
548 }
549 if( $this->mOptions->getUseTeX() ) {
550 $elements[] = 'math';
551 }
552
553 # Removing $dontstrip tags from $elements list (currently only 'gallery', fixing bug 2700)
554 foreach ( $elements AS $k => $v ) {
555 if ( !in_array ( $v , $dontstrip ) ) continue;
556 unset ( $elements[$k] );
557 }
558
559 $matches = array();
560 $text = Parser::extractTagsAndParams( $elements, $text, $matches, $uniq_prefix );
561
562 foreach( $matches as $marker => $data ) {
563 list( $element, $content, $params, $tag ) = $data;
564 if( $render ) {
565 $tagName = strtolower( $element );
566 wfProfileIn( __METHOD__."-render-$tagName" );
567 switch( $tagName ) {
568 case '!--':
569 // Comment
570 if( substr( $tag, -3 ) == '-->' ) {
571 $output = $tag;
572 } else {
573 // Unclosed comment in input.
574 // Close it so later stripping can remove it
575 $output = "$tag-->";
576 }
577 break;
578 case 'html':
579 if( $wgRawHtml ) {
580 $output = $content;
581 break;
582 }
583 // Shouldn't happen otherwise. :)
584 case 'nowiki':
585 $output = Xml::escapeTagsOnly( $content );
586 break;
587 case 'math':
588 $output = $wgContLang->armourMath( MathRenderer::renderMath( $content ) );
589 break;
590 case 'gallery':
591 $output = $this->renderImageGallery( $content, $params );
592 break;
593 default:
594 if( isset( $this->mTagHooks[$tagName] ) ) {
595 $output = call_user_func_array( $this->mTagHooks[$tagName],
596 array( $content, $params, $this ) );
597 } else {
598 throw new MWException( "Invalid call hook $element" );
599 }
600 }
601 wfProfileOut( __METHOD__."-render-$tagName" );
602 } else {
603 // Just stripping tags; keep the source
604 $output = $tag;
605 }
606
607 // Unstrip the output, to support recursive strip() calls
608 $output = $state->unstripBoth( $output );
609
610 if( !$stripcomments && $element == '!--' ) {
611 $commentState->setPair( $marker, $output );
612 } elseif ( $element == 'html' || $element == 'nowiki' ) {
613 $nowikiItems[$marker] = $output;
614 } else {
615 $generalItems[$marker] = $output;
616 }
617 }
618 # Add the new items to the state
619 # We do this after the loop instead of during it to avoid slowing
620 # down the recursive unstrip
621 $state->nowiki->mergeArray( $nowikiItems );
622 $state->general->mergeArray( $generalItems );
623
624 # Unstrip comments unless explicitly told otherwise.
625 # (The comments are always stripped prior to this point, so as to
626 # not invoke any extension tags / parser hooks contained within
627 # a comment.)
628 if ( !$stripcomments ) {
629 // Put them all back and forget them
630 $text = $commentState->replace( $text );
631 }
632
633 wfProfileOut( __METHOD__ );
634 return $text;
635 }
636
637 /**
638 * Restores pre, math, and other extensions removed by strip()
639 *
640 * always call unstripNoWiki() after this one
641 * @private
642 * @deprecated use $this->mStripState->unstrip()
643 */
644 function unstrip( $text, $state ) {
645 return $state->unstripGeneral( $text );
646 }
647
648 /**
649 * Always call this after unstrip() to preserve the order
650 *
651 * @private
652 * @deprecated use $this->mStripState->unstrip()
653 */
654 function unstripNoWiki( $text, $state ) {
655 return $state->unstripNoWiki( $text );
656 }
657
658 /**
659 * @deprecated use $this->mStripState->unstripBoth()
660 */
661 function unstripForHTML( $text ) {
662 return $this->mStripState->unstripBoth( $text );
663 }
664
665 /**
666 * Add an item to the strip state
667 * Returns the unique tag which must be inserted into the stripped text
668 * The tag will be replaced with the original text in unstrip()
669 *
670 * @private
671 */
672 function insertStripItem( $text, &$state ) {
673 $rnd = $this->mUniqPrefix . '-item' . Parser::getRandomString();
674 $state->general->setPair( $rnd, $text );
675 return $rnd;
676 }
677
678 /**
679 * Interface with html tidy, used if $wgUseTidy = true.
680 * If tidy isn't able to correct the markup, the original will be
681 * returned in all its glory with a warning comment appended.
682 *
683 * Either the external tidy program or the in-process tidy extension
684 * will be used depending on availability. Override the default
685 * $wgTidyInternal setting to disable the internal if it's not working.
686 *
687 * @param string $text Hideous HTML input
688 * @return string Corrected HTML output
689 * @public
690 * @static
691 */
692 function tidy( $text ) {
693 global $wgTidyInternal;
694 $wrappedtext = '<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"'.
695 ' "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"><html>'.
696 '<head><title>test</title></head><body>'.$text.'</body></html>';
697 if( $wgTidyInternal ) {
698 $correctedtext = Parser::internalTidy( $wrappedtext );
699 } else {
700 $correctedtext = Parser::externalTidy( $wrappedtext );
701 }
702 if( is_null( $correctedtext ) ) {
703 wfDebug( "Tidy error detected!\n" );
704 return $text . "\n<!-- Tidy found serious XHTML errors -->\n";
705 }
706 return $correctedtext;
707 }
708
709 /**
710 * Spawn an external HTML tidy process and get corrected markup back from it.
711 *
712 * @private
713 * @static
714 */
715 function externalTidy( $text ) {
716 global $wgTidyConf, $wgTidyBin, $wgTidyOpts;
717 $fname = 'Parser::externalTidy';
718 wfProfileIn( $fname );
719
720 $cleansource = '';
721 $opts = ' -utf8';
722
723 $descriptorspec = array(
724 0 => array('pipe', 'r'),
725 1 => array('pipe', 'w'),
726 2 => array('file', '/dev/null', 'a')
727 );
728 $pipes = array();
729 $process = proc_open("$wgTidyBin -config $wgTidyConf $wgTidyOpts$opts", $descriptorspec, $pipes);
730 if (is_resource($process)) {
731 // Theoretically, this style of communication could cause a deadlock
732 // here. If the stdout buffer fills up, then writes to stdin could
733 // block. This doesn't appear to happen with tidy, because tidy only
734 // writes to stdout after it's finished reading from stdin. Search
735 // for tidyParseStdin and tidySaveStdout in console/tidy.c
736 fwrite($pipes[0], $text);
737 fclose($pipes[0]);
738 while (!feof($pipes[1])) {
739 $cleansource .= fgets($pipes[1], 1024);
740 }
741 fclose($pipes[1]);
742 proc_close($process);
743 }
744
745 wfProfileOut( $fname );
746
747 if( $cleansource == '' && $text != '') {
748 // Some kind of error happened, so we couldn't get the corrected text.
749 // Just give up; we'll use the source text and append a warning.
750 return null;
751 } else {
752 return $cleansource;
753 }
754 }
755
756 /**
757 * Use the HTML tidy PECL extension to use the tidy library in-process,
758 * saving the overhead of spawning a new process. Currently written to
759 * the PHP 4.3.x version of the extension, may not work on PHP 5.
760 *
761 * 'pear install tidy' should be able to compile the extension module.
762 *
763 * @private
764 * @static
765 */
766 function internalTidy( $text ) {
767 global $wgTidyConf;
768 $fname = 'Parser::internalTidy';
769 wfProfileIn( $fname );
770
771 tidy_load_config( $wgTidyConf );
772 tidy_set_encoding( 'utf8' );
773 tidy_parse_string( $text );
774 tidy_clean_repair();
775 if( tidy_get_status() == 2 ) {
776 // 2 is magic number for fatal error
777 // http://www.php.net/manual/en/function.tidy-get-status.php
778 $cleansource = null;
779 } else {
780 $cleansource = tidy_get_output();
781 }
782 wfProfileOut( $fname );
783 return $cleansource;
784 }
785
786 /**
787 * parse the wiki syntax used to render tables
788 *
789 * @private
790 */
791 function doTableStuff ( $text ) {
792 $fname = 'Parser::doTableStuff';
793 wfProfileIn( $fname );
794
795 $lines = explode ( "\n" , $text );
796 $td_history = array (); // Is currently a td tag open?
797 $last_tag_history = array (); // Save history of last lag activated (td, th or caption)
798 $tr_history = array (); // Is currently a tr tag open?
799 $tr_attributes = array (); // history of tr attributes
800 $has_opened_tr = array(); // Did this table open a <tr> element?
801 $indent_level = 0; // indent level of the table
802 foreach ( $lines as $key => $line )
803 {
804 $line = trim ( $line );
805
806 if( $line == '' ) { // empty line, go to next line
807 continue;
808 }
809 $first_character = $line{0};
810 $matches = array();
811
812 if ( preg_match( '/^(:*)\{\|(.*)$/' , $line , $matches ) ) {
813 // First check if we are starting a new table
814 $indent_level = strlen( $matches[1] );
815
816 $attributes = $this->mStripState->unstripBoth( $matches[2] );
817 $attributes = Sanitizer::fixTagAttributes ( $attributes , 'table' );
818
819 $lines[$key] = str_repeat( '<dl><dd>' , $indent_level ) . "<table{$attributes}>";
820 array_push ( $td_history , false );
821 array_push ( $last_tag_history , '' );
822 array_push ( $tr_history , false );
823 array_push ( $tr_attributes , '' );
824 array_push ( $has_opened_tr , false );
825 } else if ( count ( $td_history ) == 0 ) {
826 // Don't do any of the following
827 continue;
828 } else if ( substr ( $line , 0 , 2 ) == '|}' ) {
829 // We are ending a table
830 $line = '</table>' . substr ( $line , 2 );
831 $last_tag = array_pop ( $last_tag_history );
832
833 if ( !array_pop ( $has_opened_tr ) ) {
834 $line = "<tr><td></td></tr>{$line}";
835 }
836
837 if ( array_pop ( $tr_history ) ) {
838 $line = "</tr>{$line}";
839 }
840
841 if ( array_pop ( $td_history ) ) {
842 $line = "</{$last_tag}>{$line}";
843 }
844 array_pop ( $tr_attributes );
845 $lines[$key] = $line . str_repeat( '</dd></dl>' , $indent_level );
846 } else if ( substr ( $line , 0 , 2 ) == '|-' ) {
847 // Now we have a table row
848 $line = preg_replace( '#^\|-+#', '', $line );
849
850 // Whats after the tag is now only attributes
851 $attributes = $this->mStripState->unstripBoth( $line );
852 $attributes = Sanitizer::fixTagAttributes ( $attributes , 'tr' );
853 array_pop ( $tr_attributes );
854 array_push ( $tr_attributes , $attributes );
855
856 $line = '';
857 $last_tag = array_pop ( $last_tag_history );
858 array_pop ( $has_opened_tr );
859 array_push ( $has_opened_tr , true );
860
861 if ( array_pop ( $tr_history ) ) {
862 $line = '</tr>';
863 }
864
865 if ( array_pop ( $td_history ) ) {
866 $line = "</{$last_tag}>{$line}";
867 }
868
869 $lines[$key] = $line;
870 array_push ( $tr_history , false );
871 array_push ( $td_history , false );
872 array_push ( $last_tag_history , '' );
873 }
874 else if ( $first_character == '|' || $first_character == '!' || substr ( $line , 0 , 2 ) == '|+' ) {
875 // This might be cell elements, td, th or captions
876 if ( substr ( $line , 0 , 2 ) == '|+' ) {
877 $first_character = '+';
878 $line = substr ( $line , 1 );
879 }
880
881 $line = substr ( $line , 1 );
882
883 if ( $first_character == '!' ) {
884 $line = str_replace ( '!!' , '||' , $line );
885 }
886
887 // Split up multiple cells on the same line.
888 // FIXME : This can result in improper nesting of tags processed
889 // by earlier parser steps, but should avoid splitting up eg
890 // attribute values containing literal "||".
891 $cells = StringUtils::explodeMarkup( '||' , $line );
892
893 $lines[$key] = '';
894
895 // Loop through each table cell
896 foreach ( $cells as $cell )
897 {
898 $previous = '';
899 if ( $first_character != '+' )
900 {
901 $tr_after = array_pop ( $tr_attributes );
902 if ( !array_pop ( $tr_history ) ) {
903 $previous = "<tr{$tr_after}>\n";
904 }
905 array_push ( $tr_history , true );
906 array_push ( $tr_attributes , '' );
907 array_pop ( $has_opened_tr );
908 array_push ( $has_opened_tr , true );
909 }
910
911 $last_tag = array_pop ( $last_tag_history );
912
913 if ( array_pop ( $td_history ) ) {
914 $previous = "</{$last_tag}>{$previous}";
915 }
916
917 if ( $first_character == '|' ) {
918 $last_tag = 'td';
919 } else if ( $first_character == '!' ) {
920 $last_tag = 'th';
921 } else if ( $first_character == '+' ) {
922 $last_tag = 'caption';
923 } else {
924 $last_tag = '';
925 }
926
927 array_push ( $last_tag_history , $last_tag );
928
929 // A cell could contain both parameters and data
930 $cell_data = explode ( '|' , $cell , 2 );
931
932 // Bug 553: Note that a '|' inside an invalid link should not
933 // be mistaken as delimiting cell parameters
934 if ( strpos( $cell_data[0], '[[' ) !== false ) {
935 $cell = "{$previous}<{$last_tag}>{$cell}";
936 } else if ( count ( $cell_data ) == 1 )
937 $cell = "{$previous}<{$last_tag}>{$cell_data[0]}";
938 else {
939 $attributes = $this->mStripState->unstripBoth( $cell_data[0] );
940 $attributes = Sanitizer::fixTagAttributes( $attributes , $last_tag );
941 $cell = "{$previous}<{$last_tag}{$attributes}>{$cell_data[1]}";
942 }
943
944 $lines[$key] .= $cell;
945 array_push ( $td_history , true );
946 }
947 }
948 }
949
950 // Closing open td, tr && table
951 while ( count ( $td_history ) > 0 )
952 {
953 if ( array_pop ( $td_history ) ) {
954 $lines[] = '</td>' ;
955 }
956 if ( array_pop ( $tr_history ) ) {
957 $lines[] = '</tr>' ;
958 }
959 if ( !array_pop ( $has_opened_tr ) ) {
960 $lines[] = "<tr><td></td></tr>" ;
961 }
962
963 $lines[] = '</table>' ;
964 }
965
966 $output = implode ( "\n" , $lines ) ;
967
968 // special case: don't return empty table
969 if( $output == "<table>\n<tr><td></td></tr>\n</table>" ) {
970 $output = '';
971 }
972
973 wfProfileOut( $fname );
974
975 return $output;
976 }
977
978 /**
979 * Helper function for parse() that transforms wiki markup into
980 * HTML. Only called for $mOutputType == OT_HTML.
981 *
982 * @private
983 */
984 function internalParse( $text ) {
985 $args = array();
986 $isMain = true;
987 $fname = 'Parser::internalParse';
988 wfProfileIn( $fname );
989
990 # Hook to suspend the parser in this state
991 if ( !wfRunHooks( 'ParserBeforeInternalParse', array( &$this, &$text, &$this->mStripState ) ) ) {
992 wfProfileOut( $fname );
993 return $text ;
994 }
995
996 # Remove <noinclude> tags and <includeonly> sections
997 $text = strtr( $text, array( '<onlyinclude>' => '' , '</onlyinclude>' => '' ) );
998 $text = strtr( $text, array( '<noinclude>' => '', '</noinclude>' => '') );
999 $text = StringUtils::delimiterReplace( '<includeonly>', '</includeonly>', '', $text );
1000
1001 $text = Sanitizer::removeHTMLtags( $text, array( &$this, 'attributeStripCallback' ) );
1002
1003 $text = $this->replaceVariables( $text, $args );
1004
1005 // Tables need to come after variable replacement for things to work
1006 // properly; putting them before other transformations should keep
1007 // exciting things like link expansions from showing up in surprising
1008 // places.
1009 $text = $this->doTableStuff( $text );
1010
1011 $text = preg_replace( '/(^|\n)-----*/', '\\1<hr />', $text );
1012
1013 $text = $this->stripToc( $text );
1014 $this->stripNoGallery( $text );
1015 $text = $this->doHeadings( $text );
1016 if($this->mOptions->getUseDynamicDates()) {
1017 $df =& DateFormatter::getInstance();
1018 $text = $df->reformat( $this->mOptions->getDateFormat(), $text );
1019 }
1020 $text = $this->doAllQuotes( $text );
1021 $text = $this->replaceInternalLinks( $text );
1022 $text = $this->replaceExternalLinks( $text );
1023
1024 # replaceInternalLinks may sometimes leave behind
1025 # absolute URLs, which have to be masked to hide them from replaceExternalLinks
1026 $text = str_replace($this->mUniqPrefix."NOPARSE", "", $text);
1027
1028 $text = $this->doMagicLinks( $text );
1029 $text = $this->formatHeadings( $text, $isMain );
1030
1031 wfProfileOut( $fname );
1032 return $text;
1033 }
1034
1035 /**
1036 * Replace special strings like "ISBN xxx" and "RFC xxx" with
1037 * magic external links.
1038 *
1039 * @private
1040 */
1041 function &doMagicLinks( &$text ) {
1042 wfProfileIn( __METHOD__ );
1043 $text = preg_replace_callback(
1044 '!(?: # Start cases
1045 <a.*?</a> | # Skip link text
1046 <.*?> | # Skip stuff inside HTML elements
1047 (?:RFC|PMID)\s+([0-9]+) | # RFC or PMID, capture number as m[1]
1048 ISBN\s+(\b # ISBN, capture number as m[2]
1049 (?: 97[89] [\ \-]? )? # optional 13-digit ISBN prefix
1050 (?: [0-9] [\ \-]? ){9} # 9 digits with opt. delimiters
1051 [0-9Xx] # check digit
1052 \b)
1053 )!x', array( &$this, 'magicLinkCallback' ), $text );
1054 wfProfileOut( __METHOD__ );
1055 return $text;
1056 }
1057
1058 function magicLinkCallback( $m ) {
1059 if ( substr( $m[0], 0, 1 ) == '<' ) {
1060 # Skip HTML element
1061 return $m[0];
1062 } elseif ( substr( $m[0], 0, 4 ) == 'ISBN' ) {
1063 $isbn = $m[2];
1064 $num = strtr( $isbn, array(
1065 '-' => '',
1066 ' ' => '',
1067 'x' => 'X',
1068 ));
1069 $titleObj = SpecialPage::getTitleFor( 'Booksources' );
1070 $text = '<a href="' .
1071 $titleObj->escapeLocalUrl( "isbn=$num" ) .
1072 "\" class=\"internal\">ISBN $isbn</a>";
1073 } else {
1074 if ( substr( $m[0], 0, 3 ) == 'RFC' ) {
1075 $keyword = 'RFC';
1076 $urlmsg = 'rfcurl';
1077 $id = $m[1];
1078 } elseif ( substr( $m[0], 0, 4 ) == 'PMID' ) {
1079 $keyword = 'PMID';
1080 $urlmsg = 'pubmedurl';
1081 $id = $m[1];
1082 } else {
1083 throw new MWException( __METHOD__.': unrecognised match type "' .
1084 substr($m[0], 0, 20 ) . '"' );
1085 }
1086
1087 $url = wfMsg( $urlmsg, $id);
1088 $sk =& $this->mOptions->getSkin();
1089 $la = $sk->getExternalLinkAttributes( $url, $keyword.$id );
1090 $text = "<a href=\"{$url}\"{$la}>{$keyword} {$id}</a>";
1091 }
1092 return $text;
1093 }
1094
1095 /**
1096 * Parse headers and return html
1097 *
1098 * @private
1099 */
1100 function doHeadings( $text ) {
1101 $fname = 'Parser::doHeadings';
1102 wfProfileIn( $fname );
1103 for ( $i = 6; $i >= 1; --$i ) {
1104 $h = str_repeat( '=', $i );
1105 $text = preg_replace( "/^{$h}(.+){$h}\\s*$/m",
1106 "<h{$i}>\\1</h{$i}>\\2", $text );
1107 }
1108 wfProfileOut( $fname );
1109 return $text;
1110 }
1111
1112 /**
1113 * Replace single quotes with HTML markup
1114 * @private
1115 * @return string the altered text
1116 */
1117 function doAllQuotes( $text ) {
1118 $fname = 'Parser::doAllQuotes';
1119 wfProfileIn( $fname );
1120 $outtext = '';
1121 $lines = explode( "\n", $text );
1122 foreach ( $lines as $line ) {
1123 $outtext .= $this->doQuotes ( $line ) . "\n";
1124 }
1125 $outtext = substr($outtext, 0,-1);
1126 wfProfileOut( $fname );
1127 return $outtext;
1128 }
1129
1130 /**
1131 * Helper function for doAllQuotes()
1132 * @private
1133 */
1134 function doQuotes( $text ) {
1135 $arr = preg_split( "/(''+)/", $text, -1, PREG_SPLIT_DELIM_CAPTURE );
1136 if ( count( $arr ) == 1 )
1137 return $text;
1138 else
1139 {
1140 # First, do some preliminary work. This may shift some apostrophes from
1141 # being mark-up to being text. It also counts the number of occurrences
1142 # of bold and italics mark-ups.
1143 $i = 0;
1144 $numbold = 0;
1145 $numitalics = 0;
1146 foreach ( $arr as $r )
1147 {
1148 if ( ( $i % 2 ) == 1 )
1149 {
1150 # If there are ever four apostrophes, assume the first is supposed to
1151 # be text, and the remaining three constitute mark-up for bold text.
1152 if ( strlen( $arr[$i] ) == 4 )
1153 {
1154 $arr[$i-1] .= "'";
1155 $arr[$i] = "'''";
1156 }
1157 # If there are more than 5 apostrophes in a row, assume they're all
1158 # text except for the last 5.
1159 else if ( strlen( $arr[$i] ) > 5 )
1160 {
1161 $arr[$i-1] .= str_repeat( "'", strlen( $arr[$i] ) - 5 );
1162 $arr[$i] = "'''''";
1163 }
1164 # Count the number of occurrences of bold and italics mark-ups.
1165 # We are not counting sequences of five apostrophes.
1166 if ( strlen( $arr[$i] ) == 2 ) { $numitalics++; }
1167 else if ( strlen( $arr[$i] ) == 3 ) { $numbold++; }
1168 else if ( strlen( $arr[$i] ) == 5 ) { $numitalics++; $numbold++; }
1169 }
1170 $i++;
1171 }
1172
1173 # If there is an odd number of both bold and italics, it is likely
1174 # that one of the bold ones was meant to be an apostrophe followed
1175 # by italics. Which one we cannot know for certain, but it is more
1176 # likely to be one that has a single-letter word before it.
1177 if ( ( $numbold % 2 == 1 ) && ( $numitalics % 2 == 1 ) )
1178 {
1179 $i = 0;
1180 $firstsingleletterword = -1;
1181 $firstmultiletterword = -1;
1182 $firstspace = -1;
1183 foreach ( $arr as $r )
1184 {
1185 if ( ( $i % 2 == 1 ) and ( strlen( $r ) == 3 ) )
1186 {
1187 $x1 = substr ($arr[$i-1], -1);
1188 $x2 = substr ($arr[$i-1], -2, 1);
1189 if ($x1 == ' ') {
1190 if ($firstspace == -1) $firstspace = $i;
1191 } else if ($x2 == ' ') {
1192 if ($firstsingleletterword == -1) $firstsingleletterword = $i;
1193 } else {
1194 if ($firstmultiletterword == -1) $firstmultiletterword = $i;
1195 }
1196 }
1197 $i++;
1198 }
1199
1200 # If there is a single-letter word, use it!
1201 if ($firstsingleletterword > -1)
1202 {
1203 $arr [ $firstsingleletterword ] = "''";
1204 $arr [ $firstsingleletterword-1 ] .= "'";
1205 }
1206 # If not, but there's a multi-letter word, use that one.
1207 else if ($firstmultiletterword > -1)
1208 {
1209 $arr [ $firstmultiletterword ] = "''";
1210 $arr [ $firstmultiletterword-1 ] .= "'";
1211 }
1212 # ... otherwise use the first one that has neither.
1213 # (notice that it is possible for all three to be -1 if, for example,
1214 # there is only one pentuple-apostrophe in the line)
1215 else if ($firstspace > -1)
1216 {
1217 $arr [ $firstspace ] = "''";
1218 $arr [ $firstspace-1 ] .= "'";
1219 }
1220 }
1221
1222 # Now let's actually convert our apostrophic mush to HTML!
1223 $output = '';
1224 $buffer = '';
1225 $state = '';
1226 $i = 0;
1227 foreach ($arr as $r)
1228 {
1229 if (($i % 2) == 0)
1230 {
1231 if ($state == 'both')
1232 $buffer .= $r;
1233 else
1234 $output .= $r;
1235 }
1236 else
1237 {
1238 if (strlen ($r) == 2)
1239 {
1240 if ($state == 'i')
1241 { $output .= '</i>'; $state = ''; }
1242 else if ($state == 'bi')
1243 { $output .= '</i>'; $state = 'b'; }
1244 else if ($state == 'ib')
1245 { $output .= '</b></i><b>'; $state = 'b'; }
1246 else if ($state == 'both')
1247 { $output .= '<b><i>'.$buffer.'</i>'; $state = 'b'; }
1248 else # $state can be 'b' or ''
1249 { $output .= '<i>'; $state .= 'i'; }
1250 }
1251 else if (strlen ($r) == 3)
1252 {
1253 if ($state == 'b')
1254 { $output .= '</b>'; $state = ''; }
1255 else if ($state == 'bi')
1256 { $output .= '</i></b><i>'; $state = 'i'; }
1257 else if ($state == 'ib')
1258 { $output .= '</b>'; $state = 'i'; }
1259 else if ($state == 'both')
1260 { $output .= '<i><b>'.$buffer.'</b>'; $state = 'i'; }
1261 else # $state can be 'i' or ''
1262 { $output .= '<b>'; $state .= 'b'; }
1263 }
1264 else if (strlen ($r) == 5)
1265 {
1266 if ($state == 'b')
1267 { $output .= '</b><i>'; $state = 'i'; }
1268 else if ($state == 'i')
1269 { $output .= '</i><b>'; $state = 'b'; }
1270 else if ($state == 'bi')
1271 { $output .= '</i></b>'; $state = ''; }
1272 else if ($state == 'ib')
1273 { $output .= '</b></i>'; $state = ''; }
1274 else if ($state == 'both')
1275 { $output .= '<i><b>'.$buffer.'</b></i>'; $state = ''; }
1276 else # ($state == '')
1277 { $buffer = ''; $state = 'both'; }
1278 }
1279 }
1280 $i++;
1281 }
1282 # Now close all remaining tags. Notice that the order is important.
1283 if ($state == 'b' || $state == 'ib')
1284 $output .= '</b>';
1285 if ($state == 'i' || $state == 'bi' || $state == 'ib')
1286 $output .= '</i>';
1287 if ($state == 'bi')
1288 $output .= '</b>';
1289 if ($state == 'both')
1290 $output .= '<b><i>'.$buffer.'</i></b>';
1291 return $output;
1292 }
1293 }
1294
1295 /**
1296 * Replace external links
1297 *
1298 * Note: this is all very hackish and the order of execution matters a lot.
1299 * Make sure to run maintenance/parserTests.php if you change this code.
1300 *
1301 * @private
1302 */
1303 function replaceExternalLinks( $text ) {
1304 global $wgContLang;
1305 $fname = 'Parser::replaceExternalLinks';
1306 wfProfileIn( $fname );
1307
1308 $sk =& $this->mOptions->getSkin();
1309
1310 $bits = preg_split( EXT_LINK_BRACKETED, $text, -1, PREG_SPLIT_DELIM_CAPTURE );
1311
1312 $s = $this->replaceFreeExternalLinks( array_shift( $bits ) );
1313
1314 $i = 0;
1315 while ( $i<count( $bits ) ) {
1316 $url = $bits[$i++];
1317 $protocol = $bits[$i++];
1318 $text = $bits[$i++];
1319 $trail = $bits[$i++];
1320
1321 # The characters '<' and '>' (which were escaped by
1322 # removeHTMLtags()) should not be included in
1323 # URLs, per RFC 2396.
1324 $m2 = array();
1325 if (preg_match('/&(lt|gt);/', $url, $m2, PREG_OFFSET_CAPTURE)) {
1326 $text = substr($url, $m2[0][1]) . ' ' . $text;
1327 $url = substr($url, 0, $m2[0][1]);
1328 }
1329
1330 # If the link text is an image URL, replace it with an <img> tag
1331 # This happened by accident in the original parser, but some people used it extensively
1332 $img = $this->maybeMakeExternalImage( $text );
1333 if ( $img !== false ) {
1334 $text = $img;
1335 }
1336
1337 $dtrail = '';
1338
1339 # Set linktype for CSS - if URL==text, link is essentially free
1340 $linktype = ($text == $url) ? 'free' : 'text';
1341
1342 # No link text, e.g. [http://domain.tld/some.link]
1343 if ( $text == '' ) {
1344 # Autonumber if allowed. See bug #5918
1345 if ( strpos( wfUrlProtocols(), substr($protocol, 0, strpos($protocol, ':')) ) !== false ) {
1346 $text = '[' . ++$this->mAutonumber . ']';
1347 $linktype = 'autonumber';
1348 } else {
1349 # Otherwise just use the URL
1350 $text = htmlspecialchars( $url );
1351 $linktype = 'free';
1352 }
1353 } else {
1354 # Have link text, e.g. [http://domain.tld/some.link text]s
1355 # Check for trail
1356 list( $dtrail, $trail ) = Linker::splitTrail( $trail );
1357 }
1358
1359 $text = $wgContLang->markNoConversion($text);
1360
1361 $url = Sanitizer::cleanUrl( $url );
1362
1363 # Process the trail (i.e. everything after this link up until start of the next link),
1364 # replacing any non-bracketed links
1365 $trail = $this->replaceFreeExternalLinks( $trail );
1366
1367 # Use the encoded URL
1368 # This means that users can paste URLs directly into the text
1369 # Funny characters like &ouml; aren't valid in URLs anyway
1370 # This was changed in August 2004
1371 $s .= $sk->makeExternalLink( $url, $text, false, $linktype, $this->mTitle->getNamespace() ) . $dtrail . $trail;
1372
1373 # Register link in the output object.
1374 # Replace unnecessary URL escape codes with the referenced character
1375 # This prevents spammers from hiding links from the filters
1376 $pasteurized = Parser::replaceUnusualEscapes( $url );
1377 $this->mOutput->addExternalLink( $pasteurized );
1378 }
1379
1380 wfProfileOut( $fname );
1381 return $s;
1382 }
1383
1384 /**
1385 * Replace anything that looks like a URL with a link
1386 * @private
1387 */
1388 function replaceFreeExternalLinks( $text ) {
1389 global $wgContLang;
1390 $fname = 'Parser::replaceFreeExternalLinks';
1391 wfProfileIn( $fname );
1392
1393 $bits = preg_split( '/(\b(?:' . wfUrlProtocols() . '))/S', $text, -1, PREG_SPLIT_DELIM_CAPTURE );
1394 $s = array_shift( $bits );
1395 $i = 0;
1396
1397 $sk =& $this->mOptions->getSkin();
1398
1399 while ( $i < count( $bits ) ){
1400 $protocol = $bits[$i++];
1401 $remainder = $bits[$i++];
1402
1403 $m = array();
1404 if ( preg_match( '/^('.EXT_LINK_URL_CLASS.'+)(.*)$/s', $remainder, $m ) ) {
1405 # Found some characters after the protocol that look promising
1406 $url = $protocol . $m[1];
1407 $trail = $m[2];
1408
1409 # special case: handle urls as url args:
1410 # http://www.example.com/foo?=http://www.example.com/bar
1411 if(strlen($trail) == 0 &&
1412 isset($bits[$i]) &&
1413 preg_match('/^'. wfUrlProtocols() . '$/S', $bits[$i]) &&
1414 preg_match( '/^('.EXT_LINK_URL_CLASS.'+)(.*)$/s', $bits[$i + 1], $m ))
1415 {
1416 # add protocol, arg
1417 $url .= $bits[$i] . $m[1]; # protocol, url as arg to previous link
1418 $i += 2;
1419 $trail = $m[2];
1420 }
1421
1422 # The characters '<' and '>' (which were escaped by
1423 # removeHTMLtags()) should not be included in
1424 # URLs, per RFC 2396.
1425 $m2 = array();
1426 if (preg_match('/&(lt|gt);/', $url, $m2, PREG_OFFSET_CAPTURE)) {
1427 $trail = substr($url, $m2[0][1]) . $trail;
1428 $url = substr($url, 0, $m2[0][1]);
1429 }
1430
1431 # Move trailing punctuation to $trail
1432 $sep = ',;\.:!?';
1433 # If there is no left bracket, then consider right brackets fair game too
1434 if ( strpos( $url, '(' ) === false ) {
1435 $sep .= ')';
1436 }
1437
1438 $numSepChars = strspn( strrev( $url ), $sep );
1439 if ( $numSepChars ) {
1440 $trail = substr( $url, -$numSepChars ) . $trail;
1441 $url = substr( $url, 0, -$numSepChars );
1442 }
1443
1444 $url = Sanitizer::cleanUrl( $url );
1445
1446 # Is this an external image?
1447 $text = $this->maybeMakeExternalImage( $url );
1448 if ( $text === false ) {
1449 # Not an image, make a link
1450 $text = $sk->makeExternalLink( $url, $wgContLang->markNoConversion($url), true, 'free', $this->mTitle->getNamespace() );
1451 # Register it in the output object...
1452 # Replace unnecessary URL escape codes with their equivalent characters
1453 $pasteurized = Parser::replaceUnusualEscapes( $url );
1454 $this->mOutput->addExternalLink( $pasteurized );
1455 }
1456 $s .= $text . $trail;
1457 } else {
1458 $s .= $protocol . $remainder;
1459 }
1460 }
1461 wfProfileOut( $fname );
1462 return $s;
1463 }
1464
1465 /**
1466 * Replace unusual URL escape codes with their equivalent characters
1467 * @param string
1468 * @return string
1469 * @static
1470 * @fixme This can merge genuinely required bits in the path or query string,
1471 * breaking legit URLs. A proper fix would treat the various parts of
1472 * the URL differently; as a workaround, just use the output for
1473 * statistical records, not for actual linking/output.
1474 */
1475 static function replaceUnusualEscapes( $url ) {
1476 return preg_replace_callback( '/%[0-9A-Fa-f]{2}/',
1477 array( 'Parser', 'replaceUnusualEscapesCallback' ), $url );
1478 }
1479
1480 /**
1481 * Callback function used in replaceUnusualEscapes().
1482 * Replaces unusual URL escape codes with their equivalent character
1483 * @static
1484 * @private
1485 */
1486 private static function replaceUnusualEscapesCallback( $matches ) {
1487 $char = urldecode( $matches[0] );
1488 $ord = ord( $char );
1489 // Is it an unsafe or HTTP reserved character according to RFC 1738?
1490 if ( $ord > 32 && $ord < 127 && strpos( '<>"#{}|\^~[]`;/?', $char ) === false ) {
1491 // No, shouldn't be escaped
1492 return $char;
1493 } else {
1494 // Yes, leave it escaped
1495 return $matches[0];
1496 }
1497 }
1498
1499 /**
1500 * make an image if it's allowed, either through the global
1501 * option or through the exception
1502 * @private
1503 */
1504 function maybeMakeExternalImage( $url ) {
1505 $sk =& $this->mOptions->getSkin();
1506 $imagesfrom = $this->mOptions->getAllowExternalImagesFrom();
1507 $imagesexception = !empty($imagesfrom);
1508 $text = false;
1509 if ( $this->mOptions->getAllowExternalImages()
1510 || ( $imagesexception && strpos( $url, $imagesfrom ) === 0 ) ) {
1511 if ( preg_match( EXT_IMAGE_REGEX, $url ) ) {
1512 # Image found
1513 $text = $sk->makeExternalImage( htmlspecialchars( $url ) );
1514 }
1515 }
1516 return $text;
1517 }
1518
1519 /**
1520 * Process [[ ]] wikilinks
1521 *
1522 * @private
1523 */
1524 function replaceInternalLinks( $s ) {
1525 global $wgContLang;
1526 static $fname = 'Parser::replaceInternalLinks' ;
1527
1528 wfProfileIn( $fname );
1529
1530 wfProfileIn( $fname.'-setup' );
1531 static $tc = FALSE;
1532 # the % is needed to support urlencoded titles as well
1533 if ( !$tc ) { $tc = Title::legalChars() . '#%'; }
1534
1535 $sk =& $this->mOptions->getSkin();
1536
1537 #split the entire text string on occurences of [[
1538 $a = explode( '[[', ' ' . $s );
1539 #get the first element (all text up to first [[), and remove the space we added
1540 $s = array_shift( $a );
1541 $s = substr( $s, 1 );
1542
1543 # Match a link having the form [[namespace:link|alternate]]trail
1544 static $e1 = FALSE;
1545 if ( !$e1 ) { $e1 = "/^([{$tc}]+)(?:\\|(.+?))?]](.*)\$/sD"; }
1546 # Match cases where there is no "]]", which might still be images
1547 static $e1_img = FALSE;
1548 if ( !$e1_img ) { $e1_img = "/^([{$tc}]+)\\|(.*)\$/sD"; }
1549 # Match the end of a line for a word that's not followed by whitespace,
1550 # e.g. in the case of 'The Arab al[[Razi]]', 'al' will be matched
1551 $e2 = wfMsgForContent( 'linkprefix' );
1552
1553 $useLinkPrefixExtension = $wgContLang->linkPrefixExtension();
1554 if( is_null( $this->mTitle ) ) {
1555 throw new MWException( __METHOD__.": \$this->mTitle is null\n" );
1556 }
1557 $nottalk = !$this->mTitle->isTalkPage();
1558
1559 if ( $useLinkPrefixExtension ) {
1560 $m = array();
1561 if ( preg_match( $e2, $s, $m ) ) {
1562 $first_prefix = $m[2];
1563 } else {
1564 $first_prefix = false;
1565 }
1566 } else {
1567 $prefix = '';
1568 }
1569
1570 if($wgContLang->hasVariants()) {
1571 $selflink = $wgContLang->convertLinkToAllVariants($this->mTitle->getPrefixedText());
1572 } else {
1573 $selflink = array($this->mTitle->getPrefixedText());
1574 }
1575 $useSubpages = $this->areSubpagesAllowed();
1576 wfProfileOut( $fname.'-setup' );
1577
1578 # Loop for each link
1579 for ($k = 0; isset( $a[$k] ); $k++) {
1580 $line = $a[$k];
1581 if ( $useLinkPrefixExtension ) {
1582 wfProfileIn( $fname.'-prefixhandling' );
1583 if ( preg_match( $e2, $s, $m ) ) {
1584 $prefix = $m[2];
1585 $s = $m[1];
1586 } else {
1587 $prefix='';
1588 }
1589 # first link
1590 if($first_prefix) {
1591 $prefix = $first_prefix;
1592 $first_prefix = false;
1593 }
1594 wfProfileOut( $fname.'-prefixhandling' );
1595 }
1596
1597 $might_be_img = false;
1598
1599 wfProfileIn( "$fname-e1" );
1600 if ( preg_match( $e1, $line, $m ) ) { # page with normal text or alt
1601 $text = $m[2];
1602 # If we get a ] at the beginning of $m[3] that means we have a link that's something like:
1603 # [[Image:Foo.jpg|[http://example.com desc]]] <- having three ] in a row fucks up,
1604 # the real problem is with the $e1 regex
1605 # See bug 1300.
1606 #
1607 # Still some problems for cases where the ] is meant to be outside punctuation,
1608 # and no image is in sight. See bug 2095.
1609 #
1610 if( $text !== '' &&
1611 substr( $m[3], 0, 1 ) === ']' &&
1612 strpos($text, '[') !== false
1613 )
1614 {
1615 $text .= ']'; # so that replaceExternalLinks($text) works later
1616 $m[3] = substr( $m[3], 1 );
1617 }
1618 # fix up urlencoded title texts
1619 if( strpos( $m[1], '%' ) !== false ) {
1620 # Should anchors '#' also be rejected?
1621 $m[1] = str_replace( array('<', '>'), array('&lt;', '&gt;'), urldecode($m[1]) );
1622 }
1623 $trail = $m[3];
1624 } elseif( preg_match($e1_img, $line, $m) ) { # Invalid, but might be an image with a link in its caption
1625 $might_be_img = true;
1626 $text = $m[2];
1627 if ( strpos( $m[1], '%' ) !== false ) {
1628 $m[1] = urldecode($m[1]);
1629 }
1630 $trail = "";
1631 } else { # Invalid form; output directly
1632 $s .= $prefix . '[[' . $line ;
1633 wfProfileOut( "$fname-e1" );
1634 continue;
1635 }
1636 wfProfileOut( "$fname-e1" );
1637 wfProfileIn( "$fname-misc" );
1638
1639 # Don't allow internal links to pages containing
1640 # PROTO: where PROTO is a valid URL protocol; these
1641 # should be external links.
1642 if (preg_match('/^(\b(?:' . wfUrlProtocols() . '))/', $m[1])) {
1643 $s .= $prefix . '[[' . $line ;
1644 continue;
1645 }
1646
1647 # Make subpage if necessary
1648 if( $useSubpages ) {
1649 $link = $this->maybeDoSubpageLink( $m[1], $text );
1650 } else {
1651 $link = $m[1];
1652 }
1653
1654 $noforce = (substr($m[1], 0, 1) != ':');
1655 if (!$noforce) {
1656 # Strip off leading ':'
1657 $link = substr($link, 1);
1658 }
1659
1660 wfProfileOut( "$fname-misc" );
1661 wfProfileIn( "$fname-title" );
1662 $nt = Title::newFromText( $this->mStripState->unstripNoWiki($link) );
1663 if( !$nt ) {
1664 $s .= $prefix . '[[' . $line;
1665 wfProfileOut( "$fname-title" );
1666 continue;
1667 }
1668
1669 $ns = $nt->getNamespace();
1670 $iw = $nt->getInterWiki();
1671 wfProfileOut( "$fname-title" );
1672
1673 if ($might_be_img) { # if this is actually an invalid link
1674 wfProfileIn( "$fname-might_be_img" );
1675 if ($ns == NS_IMAGE && $noforce) { #but might be an image
1676 $found = false;
1677 while (isset ($a[$k+1]) ) {
1678 #look at the next 'line' to see if we can close it there
1679 $spliced = array_splice( $a, $k + 1, 1 );
1680 $next_line = array_shift( $spliced );
1681 $m = explode( ']]', $next_line, 3 );
1682 if ( count( $m ) == 3 ) {
1683 # the first ]] closes the inner link, the second the image
1684 $found = true;
1685 $text .= "[[{$m[0]}]]{$m[1]}";
1686 $trail = $m[2];
1687 break;
1688 } elseif ( count( $m ) == 2 ) {
1689 #if there's exactly one ]] that's fine, we'll keep looking
1690 $text .= "[[{$m[0]}]]{$m[1]}";
1691 } else {
1692 #if $next_line is invalid too, we need look no further
1693 $text .= '[[' . $next_line;
1694 break;
1695 }
1696 }
1697 if ( !$found ) {
1698 # we couldn't find the end of this imageLink, so output it raw
1699 #but don't ignore what might be perfectly normal links in the text we've examined
1700 $text = $this->replaceInternalLinks($text);
1701 $s .= "{$prefix}[[$link|$text";
1702 # note: no $trail, because without an end, there *is* no trail
1703 wfProfileOut( "$fname-might_be_img" );
1704 continue;
1705 }
1706 } else { #it's not an image, so output it raw
1707 $s .= "{$prefix}[[$link|$text";
1708 # note: no $trail, because without an end, there *is* no trail
1709 wfProfileOut( "$fname-might_be_img" );
1710 continue;
1711 }
1712 wfProfileOut( "$fname-might_be_img" );
1713 }
1714
1715 $wasblank = ( '' == $text );
1716 if( $wasblank ) $text = $link;
1717
1718 # Link not escaped by : , create the various objects
1719 if( $noforce ) {
1720
1721 # Interwikis
1722 wfProfileIn( "$fname-interwiki" );
1723 if( $iw && $this->mOptions->getInterwikiMagic() && $nottalk && $wgContLang->getLanguageName( $iw ) ) {
1724 $this->mOutput->addLanguageLink( $nt->getFullText() );
1725 $s = rtrim($s . "\n");
1726 $s .= trim($prefix . $trail, "\n") == '' ? '': $prefix . $trail;
1727 wfProfileOut( "$fname-interwiki" );
1728 continue;
1729 }
1730 wfProfileOut( "$fname-interwiki" );
1731
1732 if ( $ns == NS_IMAGE ) {
1733 wfProfileIn( "$fname-image" );
1734 if ( !wfIsBadImage( $nt->getDBkey(), $this->mTitle ) ) {
1735 # recursively parse links inside the image caption
1736 # actually, this will parse them in any other parameters, too,
1737 # but it might be hard to fix that, and it doesn't matter ATM
1738 $text = $this->replaceExternalLinks($text);
1739 $text = $this->replaceInternalLinks($text);
1740
1741 # cloak any absolute URLs inside the image markup, so replaceExternalLinks() won't touch them
1742 $s .= $prefix . $this->armorLinks( $this->makeImage( $nt, $text ) ) . $trail;
1743 $this->mOutput->addImage( $nt->getDBkey() );
1744
1745 wfProfileOut( "$fname-image" );
1746 continue;
1747 } else {
1748 # We still need to record the image's presence on the page
1749 $this->mOutput->addImage( $nt->getDBkey() );
1750 }
1751 wfProfileOut( "$fname-image" );
1752
1753 }
1754
1755 if ( $ns == NS_CATEGORY ) {
1756 wfProfileIn( "$fname-category" );
1757 $s = rtrim($s . "\n"); # bug 87
1758
1759 if ( $wasblank ) {
1760 $sortkey = $this->getDefaultSort();
1761 } else {
1762 $sortkey = $text;
1763 }
1764 $sortkey = Sanitizer::decodeCharReferences( $sortkey );
1765 $sortkey = str_replace( "\n", '', $sortkey );
1766 $sortkey = $wgContLang->convertCategoryKey( $sortkey );
1767 $this->mOutput->addCategory( $nt->getDBkey(), $sortkey );
1768
1769 /**
1770 * Strip the whitespace Category links produce, see bug 87
1771 * @todo We might want to use trim($tmp, "\n") here.
1772 */
1773 $s .= trim($prefix . $trail, "\n") == '' ? '': $prefix . $trail;
1774
1775 wfProfileOut( "$fname-category" );
1776 continue;
1777 }
1778 }
1779
1780 if( ( in_array( $nt->getPrefixedText(), $selflink ) ) &&
1781 ( $nt->getFragment() === '' ) ) {
1782 # Self-links are handled specially; generally de-link and change to bold.
1783 $s .= $prefix . $sk->makeSelfLinkObj( $nt, $text, '', $trail );
1784 continue;
1785 }
1786
1787 # Special and Media are pseudo-namespaces; no pages actually exist in them
1788 if( $ns == NS_MEDIA ) {
1789 $link = $sk->makeMediaLinkObj( $nt, $text );
1790 # Cloak with NOPARSE to avoid replacement in replaceExternalLinks
1791 $s .= $prefix . $this->armorLinks( $link ) . $trail;
1792 $this->mOutput->addImage( $nt->getDBkey() );
1793 continue;
1794 } elseif( $ns == NS_SPECIAL ) {
1795 $s .= $this->makeKnownLinkHolder( $nt, $text, '', $trail, $prefix );
1796 continue;
1797 } elseif( $ns == NS_IMAGE ) {
1798 $img = new Image( $nt );
1799 if( $img->exists() ) {
1800 // Force a blue link if the file exists; may be a remote
1801 // upload on the shared repository, and we want to see its
1802 // auto-generated page.
1803 $s .= $this->makeKnownLinkHolder( $nt, $text, '', $trail, $prefix );
1804 $this->mOutput->addLink( $nt );
1805 continue;
1806 }
1807 }
1808 $s .= $this->makeLinkHolder( $nt, $text, '', $trail, $prefix );
1809 }
1810 wfProfileOut( $fname );
1811 return $s;
1812 }
1813
1814 /**
1815 * Make a link placeholder. The text returned can be later resolved to a real link with
1816 * replaceLinkHolders(). This is done for two reasons: firstly to avoid further
1817 * parsing of interwiki links, and secondly to allow all existence checks and
1818 * article length checks (for stub links) to be bundled into a single query.
1819 *
1820 */
1821 function makeLinkHolder( &$nt, $text = '', $query = '', $trail = '', $prefix = '' ) {
1822 wfProfileIn( __METHOD__ );
1823 if ( ! is_object($nt) ) {
1824 # Fail gracefully
1825 $retVal = "<!-- ERROR -->{$prefix}{$text}{$trail}";
1826 } else {
1827 # Separate the link trail from the rest of the link
1828 list( $inside, $trail ) = Linker::splitTrail( $trail );
1829
1830 if ( $nt->isExternal() ) {
1831 $nr = array_push( $this->mInterwikiLinkHolders['texts'], $prefix.$text.$inside );
1832 $this->mInterwikiLinkHolders['titles'][] = $nt;
1833 $retVal = '<!--IWLINK '. ($nr-1) ."-->{$trail}";
1834 } else {
1835 $nr = array_push( $this->mLinkHolders['namespaces'], $nt->getNamespace() );
1836 $this->mLinkHolders['dbkeys'][] = $nt->getDBkey();
1837 $this->mLinkHolders['queries'][] = $query;
1838 $this->mLinkHolders['texts'][] = $prefix.$text.$inside;
1839 $this->mLinkHolders['titles'][] = $nt;
1840
1841 $retVal = '<!--LINK '. ($nr-1) ."-->{$trail}";
1842 }
1843 }
1844 wfProfileOut( __METHOD__ );
1845 return $retVal;
1846 }
1847
1848 /**
1849 * Render a forced-blue link inline; protect against double expansion of
1850 * URLs if we're in a mode that prepends full URL prefixes to internal links.
1851 * Since this little disaster has to split off the trail text to avoid
1852 * breaking URLs in the following text without breaking trails on the
1853 * wiki links, it's been made into a horrible function.
1854 *
1855 * @param Title $nt
1856 * @param string $text
1857 * @param string $query
1858 * @param string $trail
1859 * @param string $prefix
1860 * @return string HTML-wikitext mix oh yuck
1861 */
1862 function makeKnownLinkHolder( $nt, $text = '', $query = '', $trail = '', $prefix = '' ) {
1863 list( $inside, $trail ) = Linker::splitTrail( $trail );
1864 $sk =& $this->mOptions->getSkin();
1865 $link = $sk->makeKnownLinkObj( $nt, $text, $query, $inside, $prefix );
1866 return $this->armorLinks( $link ) . $trail;
1867 }
1868
1869 /**
1870 * Insert a NOPARSE hacky thing into any inline links in a chunk that's
1871 * going to go through further parsing steps before inline URL expansion.
1872 *
1873 * In particular this is important when using action=render, which causes
1874 * full URLs to be included.
1875 *
1876 * Oh man I hate our multi-layer parser!
1877 *
1878 * @param string more-or-less HTML
1879 * @return string less-or-more HTML with NOPARSE bits
1880 */
1881 function armorLinks( $text ) {
1882 return preg_replace( '/\b(' . wfUrlProtocols() . ')/',
1883 "{$this->mUniqPrefix}NOPARSE$1", $text );
1884 }
1885
1886 /**
1887 * Return true if subpage links should be expanded on this page.
1888 * @return bool
1889 */
1890 function areSubpagesAllowed() {
1891 # Some namespaces don't allow subpages
1892 global $wgNamespacesWithSubpages;
1893 return !empty($wgNamespacesWithSubpages[$this->mTitle->getNamespace()]);
1894 }
1895
1896 /**
1897 * Handle link to subpage if necessary
1898 * @param string $target the source of the link
1899 * @param string &$text the link text, modified as necessary
1900 * @return string the full name of the link
1901 * @private
1902 */
1903 function maybeDoSubpageLink($target, &$text) {
1904 # Valid link forms:
1905 # Foobar -- normal
1906 # :Foobar -- override special treatment of prefix (images, language links)
1907 # /Foobar -- convert to CurrentPage/Foobar
1908 # /Foobar/ -- convert to CurrentPage/Foobar, strip the initial / from text
1909 # ../ -- convert to CurrentPage, from CurrentPage/CurrentSubPage
1910 # ../Foobar -- convert to CurrentPage/Foobar, from CurrentPage/CurrentSubPage
1911
1912 $fname = 'Parser::maybeDoSubpageLink';
1913 wfProfileIn( $fname );
1914 $ret = $target; # default return value is no change
1915
1916 # bug 7425
1917 $target = trim( $target );
1918
1919 # Some namespaces don't allow subpages,
1920 # so only perform processing if subpages are allowed
1921 if( $this->areSubpagesAllowed() ) {
1922 # Look at the first character
1923 if( $target != '' && $target{0} == '/' ) {
1924 # / at end means we don't want the slash to be shown
1925 if( substr( $target, -1, 1 ) == '/' ) {
1926 $target = substr( $target, 1, -1 );
1927 $noslash = $target;
1928 } else {
1929 $noslash = substr( $target, 1 );
1930 }
1931
1932 $ret = $this->mTitle->getPrefixedText(). '/' . trim($noslash);
1933 if( '' === $text ) {
1934 $text = $target;
1935 } # this might be changed for ugliness reasons
1936 } else {
1937 # check for .. subpage backlinks
1938 $dotdotcount = 0;
1939 $nodotdot = $target;
1940 while( strncmp( $nodotdot, "../", 3 ) == 0 ) {
1941 ++$dotdotcount;
1942 $nodotdot = substr( $nodotdot, 3 );
1943 }
1944 if($dotdotcount > 0) {
1945 $exploded = explode( '/', $this->mTitle->GetPrefixedText() );
1946 if( count( $exploded ) > $dotdotcount ) { # not allowed to go below top level page
1947 $ret = implode( '/', array_slice( $exploded, 0, -$dotdotcount ) );
1948 # / at the end means don't show full path
1949 if( substr( $nodotdot, -1, 1 ) == '/' ) {
1950 $nodotdot = substr( $nodotdot, 0, -1 );
1951 if( '' === $text ) {
1952 $text = $nodotdot;
1953 }
1954 }
1955 $nodotdot = trim( $nodotdot );
1956 if( $nodotdot != '' ) {
1957 $ret .= '/' . $nodotdot;
1958 }
1959 }
1960 }
1961 }
1962 }
1963
1964 wfProfileOut( $fname );
1965 return $ret;
1966 }
1967
1968 /**#@+
1969 * Used by doBlockLevels()
1970 * @private
1971 */
1972 /* private */ function closeParagraph() {
1973 $result = '';
1974 if ( '' != $this->mLastSection ) {
1975 $result = '</' . $this->mLastSection . ">\n";
1976 }
1977 $this->mInPre = false;
1978 $this->mLastSection = '';
1979 return $result;
1980 }
1981 # getCommon() returns the length of the longest common substring
1982 # of both arguments, starting at the beginning of both.
1983 #
1984 /* private */ function getCommon( $st1, $st2 ) {
1985 $fl = strlen( $st1 );
1986 $shorter = strlen( $st2 );
1987 if ( $fl < $shorter ) { $shorter = $fl; }
1988
1989 for ( $i = 0; $i < $shorter; ++$i ) {
1990 if ( $st1{$i} != $st2{$i} ) { break; }
1991 }
1992 return $i;
1993 }
1994 # These next three functions open, continue, and close the list
1995 # element appropriate to the prefix character passed into them.
1996 #
1997 /* private */ function openList( $char ) {
1998 $result = $this->closeParagraph();
1999
2000 if ( '*' == $char ) { $result .= '<ul><li>'; }
2001 else if ( '#' == $char ) { $result .= '<ol><li>'; }
2002 else if ( ':' == $char ) { $result .= '<dl><dd>'; }
2003 else if ( ';' == $char ) {
2004 $result .= '<dl><dt>';
2005 $this->mDTopen = true;
2006 }
2007 else { $result = '<!-- ERR 1 -->'; }
2008
2009 return $result;
2010 }
2011
2012 /* private */ function nextItem( $char ) {
2013 if ( '*' == $char || '#' == $char ) { return '</li><li>'; }
2014 else if ( ':' == $char || ';' == $char ) {
2015 $close = '</dd>';
2016 if ( $this->mDTopen ) { $close = '</dt>'; }
2017 if ( ';' == $char ) {
2018 $this->mDTopen = true;
2019 return $close . '<dt>';
2020 } else {
2021 $this->mDTopen = false;
2022 return $close . '<dd>';
2023 }
2024 }
2025 return '<!-- ERR 2 -->';
2026 }
2027
2028 /* private */ function closeList( $char ) {
2029 if ( '*' == $char ) { $text = '</li></ul>'; }
2030 else if ( '#' == $char ) { $text = '</li></ol>'; }
2031 else if ( ':' == $char ) {
2032 if ( $this->mDTopen ) {
2033 $this->mDTopen = false;
2034 $text = '</dt></dl>';
2035 } else {
2036 $text = '</dd></dl>';
2037 }
2038 }
2039 else { return '<!-- ERR 3 -->'; }
2040 return $text."\n";
2041 }
2042 /**#@-*/
2043
2044 /**
2045 * Make lists from lines starting with ':', '*', '#', etc.
2046 *
2047 * @private
2048 * @return string the lists rendered as HTML
2049 */
2050 function doBlockLevels( $text, $linestart ) {
2051 $fname = 'Parser::doBlockLevels';
2052 wfProfileIn( $fname );
2053
2054 # Parsing through the text line by line. The main thing
2055 # happening here is handling of block-level elements p, pre,
2056 # and making lists from lines starting with * # : etc.
2057 #
2058 $textLines = explode( "\n", $text );
2059
2060 $lastPrefix = $output = '';
2061 $this->mDTopen = $inBlockElem = false;
2062 $prefixLength = 0;
2063 $paragraphStack = false;
2064
2065 if ( !$linestart ) {
2066 $output .= array_shift( $textLines );
2067 }
2068 foreach ( $textLines as $oLine ) {
2069 $lastPrefixLength = strlen( $lastPrefix );
2070 $preCloseMatch = preg_match('/<\\/pre/i', $oLine );
2071 $preOpenMatch = preg_match('/<pre/i', $oLine );
2072 if ( !$this->mInPre ) {
2073 # Multiple prefixes may abut each other for nested lists.
2074 $prefixLength = strspn( $oLine, '*#:;' );
2075 $pref = substr( $oLine, 0, $prefixLength );
2076
2077 # eh?
2078 $pref2 = str_replace( ';', ':', $pref );
2079 $t = substr( $oLine, $prefixLength );
2080 $this->mInPre = !empty($preOpenMatch);
2081 } else {
2082 # Don't interpret any other prefixes in preformatted text
2083 $prefixLength = 0;
2084 $pref = $pref2 = '';
2085 $t = $oLine;
2086 }
2087
2088 # List generation
2089 if( $prefixLength && 0 == strcmp( $lastPrefix, $pref2 ) ) {
2090 # Same as the last item, so no need to deal with nesting or opening stuff
2091 $output .= $this->nextItem( substr( $pref, -1 ) );
2092 $paragraphStack = false;
2093
2094 if ( substr( $pref, -1 ) == ';') {
2095 # The one nasty exception: definition lists work like this:
2096 # ; title : definition text
2097 # So we check for : in the remainder text to split up the
2098 # title and definition, without b0rking links.
2099 $term = $t2 = '';
2100 if ($this->findColonNoLinks($t, $term, $t2) !== false) {
2101 $t = $t2;
2102 $output .= $term . $this->nextItem( ':' );
2103 }
2104 }
2105 } elseif( $prefixLength || $lastPrefixLength ) {
2106 # Either open or close a level...
2107 $commonPrefixLength = $this->getCommon( $pref, $lastPrefix );
2108 $paragraphStack = false;
2109
2110 while( $commonPrefixLength < $lastPrefixLength ) {
2111 $output .= $this->closeList( $lastPrefix{$lastPrefixLength-1} );
2112 --$lastPrefixLength;
2113 }
2114 if ( $prefixLength <= $commonPrefixLength && $commonPrefixLength > 0 ) {
2115 $output .= $this->nextItem( $pref{$commonPrefixLength-1} );
2116 }
2117 while ( $prefixLength > $commonPrefixLength ) {
2118 $char = substr( $pref, $commonPrefixLength, 1 );
2119 $output .= $this->openList( $char );
2120
2121 if ( ';' == $char ) {
2122 # FIXME: This is dupe of code above
2123 if ($this->findColonNoLinks($t, $term, $t2) !== false) {
2124 $t = $t2;
2125 $output .= $term . $this->nextItem( ':' );
2126 }
2127 }
2128 ++$commonPrefixLength;
2129 }
2130 $lastPrefix = $pref2;
2131 }
2132 if( 0 == $prefixLength ) {
2133 wfProfileIn( "$fname-paragraph" );
2134 # No prefix (not in list)--go to paragraph mode
2135 // XXX: use a stack for nestable elements like span, table and div
2136 $openmatch = preg_match('/(<table|<blockquote|<h1|<h2|<h3|<h4|<h5|<h6|<pre|<tr|<p|<ul|<ol|<li|<\\/tr|<\\/td|<\\/th)/iS', $t );
2137 $closematch = preg_match(
2138 '/(<\\/table|<\\/blockquote|<\\/h1|<\\/h2|<\\/h3|<\\/h4|<\\/h5|<\\/h6|'.
2139 '<td|<th|<\\/?div|<hr|<\\/pre|<\\/p|'.$this->mUniqPrefix.'-pre|<\\/li|<\\/ul|<\\/ol|<\\/?center)/iS', $t );
2140 if ( $openmatch or $closematch ) {
2141 $paragraphStack = false;
2142 # TODO bug 5718: paragraph closed
2143 $output .= $this->closeParagraph();
2144 if ( $preOpenMatch and !$preCloseMatch ) {
2145 $this->mInPre = true;
2146 }
2147 if ( $closematch ) {
2148 $inBlockElem = false;
2149 } else {
2150 $inBlockElem = true;
2151 }
2152 } else if ( !$inBlockElem && !$this->mInPre ) {
2153 if ( ' ' == $t{0} and ( $this->mLastSection == 'pre' or trim($t) != '' ) ) {
2154 // pre
2155 if ($this->mLastSection != 'pre') {
2156 $paragraphStack = false;
2157 $output .= $this->closeParagraph().'<pre>';
2158 $this->mLastSection = 'pre';
2159 }
2160 $t = substr( $t, 1 );
2161 } else {
2162 // paragraph
2163 if ( '' == trim($t) ) {
2164 if ( $paragraphStack ) {
2165 $output .= $paragraphStack.'<br />';
2166 $paragraphStack = false;
2167 $this->mLastSection = 'p';
2168 } else {
2169 if ($this->mLastSection != 'p' ) {
2170 $output .= $this->closeParagraph();
2171 $this->mLastSection = '';
2172 $paragraphStack = '<p>';
2173 } else {
2174 $paragraphStack = '</p><p>';
2175 }
2176 }
2177 } else {
2178 if ( $paragraphStack ) {
2179 $output .= $paragraphStack;
2180 $paragraphStack = false;
2181 $this->mLastSection = 'p';
2182 } else if ($this->mLastSection != 'p') {
2183 $output .= $this->closeParagraph().'<p>';
2184 $this->mLastSection = 'p';
2185 }
2186 }
2187 }
2188 }
2189 wfProfileOut( "$fname-paragraph" );
2190 }
2191 // somewhere above we forget to get out of pre block (bug 785)
2192 if($preCloseMatch && $this->mInPre) {
2193 $this->mInPre = false;
2194 }
2195 if ($paragraphStack === false) {
2196 $output .= $t."\n";
2197 }
2198 }
2199 while ( $prefixLength ) {
2200 $output .= $this->closeList( $pref2{$prefixLength-1} );
2201 --$prefixLength;
2202 }
2203 if ( '' != $this->mLastSection ) {
2204 $output .= '</' . $this->mLastSection . '>';
2205 $this->mLastSection = '';
2206 }
2207
2208 wfProfileOut( $fname );
2209 return $output;
2210 }
2211
2212 /**
2213 * Split up a string on ':', ignoring any occurences inside tags
2214 * to prevent illegal overlapping.
2215 * @param string $str the string to split
2216 * @param string &$before set to everything before the ':'
2217 * @param string &$after set to everything after the ':'
2218 * return string the position of the ':', or false if none found
2219 */
2220 function findColonNoLinks($str, &$before, &$after) {
2221 $fname = 'Parser::findColonNoLinks';
2222 wfProfileIn( $fname );
2223
2224 $pos = strpos( $str, ':' );
2225 if( $pos === false ) {
2226 // Nothing to find!
2227 wfProfileOut( $fname );
2228 return false;
2229 }
2230
2231 $lt = strpos( $str, '<' );
2232 if( $lt === false || $lt > $pos ) {
2233 // Easy; no tag nesting to worry about
2234 $before = substr( $str, 0, $pos );
2235 $after = substr( $str, $pos+1 );
2236 wfProfileOut( $fname );
2237 return $pos;
2238 }
2239
2240 // Ugly state machine to walk through avoiding tags.
2241 $state = MW_COLON_STATE_TEXT;
2242 $stack = 0;
2243 $len = strlen( $str );
2244 for( $i = 0; $i < $len; $i++ ) {
2245 $c = $str{$i};
2246
2247 switch( $state ) {
2248 // (Using the number is a performance hack for common cases)
2249 case 0: // MW_COLON_STATE_TEXT:
2250 switch( $c ) {
2251 case "<":
2252 // Could be either a <start> tag or an </end> tag
2253 $state = MW_COLON_STATE_TAGSTART;
2254 break;
2255 case ":":
2256 if( $stack == 0 ) {
2257 // We found it!
2258 $before = substr( $str, 0, $i );
2259 $after = substr( $str, $i + 1 );
2260 wfProfileOut( $fname );
2261 return $i;
2262 }
2263 // Embedded in a tag; don't break it.
2264 break;
2265 default:
2266 // Skip ahead looking for something interesting
2267 $colon = strpos( $str, ':', $i );
2268 if( $colon === false ) {
2269 // Nothing else interesting
2270 wfProfileOut( $fname );
2271 return false;
2272 }
2273 $lt = strpos( $str, '<', $i );
2274 if( $stack === 0 ) {
2275 if( $lt === false || $colon < $lt ) {
2276 // We found it!
2277 $before = substr( $str, 0, $colon );
2278 $after = substr( $str, $colon + 1 );
2279 wfProfileOut( $fname );
2280 return $i;
2281 }
2282 }
2283 if( $lt === false ) {
2284 // Nothing else interesting to find; abort!
2285 // We're nested, but there's no close tags left. Abort!
2286 break 2;
2287 }
2288 // Skip ahead to next tag start
2289 $i = $lt;
2290 $state = MW_COLON_STATE_TAGSTART;
2291 }
2292 break;
2293 case 1: // MW_COLON_STATE_TAG:
2294 // In a <tag>
2295 switch( $c ) {
2296 case ">":
2297 $stack++;
2298 $state = MW_COLON_STATE_TEXT;
2299 break;
2300 case "/":
2301 // Slash may be followed by >?
2302 $state = MW_COLON_STATE_TAGSLASH;
2303 break;
2304 default:
2305 // ignore
2306 }
2307 break;
2308 case 2: // MW_COLON_STATE_TAGSTART:
2309 switch( $c ) {
2310 case "/":
2311 $state = MW_COLON_STATE_CLOSETAG;
2312 break;
2313 case "!":
2314 $state = MW_COLON_STATE_COMMENT;
2315 break;
2316 case ">":
2317 // Illegal early close? This shouldn't happen D:
2318 $state = MW_COLON_STATE_TEXT;
2319 break;
2320 default:
2321 $state = MW_COLON_STATE_TAG;
2322 }
2323 break;
2324 case 3: // MW_COLON_STATE_CLOSETAG:
2325 // In a </tag>
2326 if( $c == ">" ) {
2327 $stack--;
2328 if( $stack < 0 ) {
2329 wfDebug( "Invalid input in $fname; too many close tags\n" );
2330 wfProfileOut( $fname );
2331 return false;
2332 }
2333 $state = MW_COLON_STATE_TEXT;
2334 }
2335 break;
2336 case MW_COLON_STATE_TAGSLASH:
2337 if( $c == ">" ) {
2338 // Yes, a self-closed tag <blah/>
2339 $state = MW_COLON_STATE_TEXT;
2340 } else {
2341 // Probably we're jumping the gun, and this is an attribute
2342 $state = MW_COLON_STATE_TAG;
2343 }
2344 break;
2345 case 5: // MW_COLON_STATE_COMMENT:
2346 if( $c == "-" ) {
2347 $state = MW_COLON_STATE_COMMENTDASH;
2348 }
2349 break;
2350 case MW_COLON_STATE_COMMENTDASH:
2351 if( $c == "-" ) {
2352 $state = MW_COLON_STATE_COMMENTDASHDASH;
2353 } else {
2354 $state = MW_COLON_STATE_COMMENT;
2355 }
2356 break;
2357 case MW_COLON_STATE_COMMENTDASHDASH:
2358 if( $c == ">" ) {
2359 $state = MW_COLON_STATE_TEXT;
2360 } else {
2361 $state = MW_COLON_STATE_COMMENT;
2362 }
2363 break;
2364 default:
2365 throw new MWException( "State machine error in $fname" );
2366 }
2367 }
2368 if( $stack > 0 ) {
2369 wfDebug( "Invalid input in $fname; not enough close tags (stack $stack, state $state)\n" );
2370 return false;
2371 }
2372 wfProfileOut( $fname );
2373 return false;
2374 }
2375
2376 /**
2377 * Return value of a magic variable (like PAGENAME)
2378 *
2379 * @private
2380 */
2381 function getVariableValue( $index ) {
2382 global $wgContLang, $wgSitename, $wgServer, $wgServerName, $wgScriptPath;
2383
2384 /**
2385 * Some of these require message or data lookups and can be
2386 * expensive to check many times.
2387 */
2388 static $varCache = array();
2389 if ( wfRunHooks( 'ParserGetVariableValueVarCache', array( &$this, &$varCache ) ) ) {
2390 if ( isset( $varCache[$index] ) ) {
2391 return $varCache[$index];
2392 }
2393 }
2394
2395 $ts = time();
2396 wfRunHooks( 'ParserGetVariableValueTs', array( &$this, &$ts ) );
2397
2398 # Use the time zone
2399 global $wgLocaltimezone;
2400 if ( isset( $wgLocaltimezone ) ) {
2401 $oldtz = getenv( 'TZ' );
2402 putenv( 'TZ='.$wgLocaltimezone );
2403 }
2404 $localTimestamp = date( 'YmdHis', $ts );
2405 $localMonth = date( 'm', $ts );
2406 $localMonthName = date( 'n', $ts );
2407 $localDay = date( 'j', $ts );
2408 $localDay2 = date( 'd', $ts );
2409 $localDayOfWeek = date( 'w', $ts );
2410 $localWeek = date( 'W', $ts );
2411 $localYear = date( 'Y', $ts );
2412 $localHour = date( 'H', $ts );
2413 if ( isset( $wgLocaltimezone ) ) {
2414 putenv( 'TZ='.$oldtz );
2415 }
2416
2417 switch ( $index ) {
2418 case 'currentmonth':
2419 return $varCache[$index] = $wgContLang->formatNum( date( 'm', $ts ) );
2420 case 'currentmonthname':
2421 return $varCache[$index] = $wgContLang->getMonthName( date( 'n', $ts ) );
2422 case 'currentmonthnamegen':
2423 return $varCache[$index] = $wgContLang->getMonthNameGen( date( 'n', $ts ) );
2424 case 'currentmonthabbrev':
2425 return $varCache[$index] = $wgContLang->getMonthAbbreviation( date( 'n', $ts ) );
2426 case 'currentday':
2427 return $varCache[$index] = $wgContLang->formatNum( date( 'j', $ts ) );
2428 case 'currentday2':
2429 return $varCache[$index] = $wgContLang->formatNum( date( 'd', $ts ) );
2430 case 'localmonth':
2431 return $varCache[$index] = $wgContLang->formatNum( $localMonth );
2432 case 'localmonthname':
2433 return $varCache[$index] = $wgContLang->getMonthName( $localMonthName );
2434 case 'localmonthnamegen':
2435 return $varCache[$index] = $wgContLang->getMonthNameGen( $localMonthName );
2436 case 'localmonthabbrev':
2437 return $varCache[$index] = $wgContLang->getMonthAbbreviation( $localMonthName );
2438 case 'localday':
2439 return $varCache[$index] = $wgContLang->formatNum( $localDay );
2440 case 'localday2':
2441 return $varCache[$index] = $wgContLang->formatNum( $localDay2 );
2442 case 'pagename':
2443 return $this->mTitle->getText();
2444 case 'pagenamee':
2445 return $this->mTitle->getPartialURL();
2446 case 'fullpagename':
2447 return $this->mTitle->getPrefixedText();
2448 case 'fullpagenamee':
2449 return $this->mTitle->getPrefixedURL();
2450 case 'subpagename':
2451 return $this->mTitle->getSubpageText();
2452 case 'subpagenamee':
2453 return $this->mTitle->getSubpageUrlForm();
2454 case 'basepagename':
2455 return $this->mTitle->getBaseText();
2456 case 'basepagenamee':
2457 return wfUrlEncode( str_replace( ' ', '_', $this->mTitle->getBaseText() ) );
2458 case 'talkpagename':
2459 if( $this->mTitle->canTalk() ) {
2460 $talkPage = $this->mTitle->getTalkPage();
2461 return $talkPage->getPrefixedText();
2462 } else {
2463 return '';
2464 }
2465 case 'talkpagenamee':
2466 if( $this->mTitle->canTalk() ) {
2467 $talkPage = $this->mTitle->getTalkPage();
2468 return $talkPage->getPrefixedUrl();
2469 } else {
2470 return '';
2471 }
2472 case 'subjectpagename':
2473 $subjPage = $this->mTitle->getSubjectPage();
2474 return $subjPage->getPrefixedText();
2475 case 'subjectpagenamee':
2476 $subjPage = $this->mTitle->getSubjectPage();
2477 return $subjPage->getPrefixedUrl();
2478 case 'revisionid':
2479 return $this->mRevisionId;
2480 case 'revisionday':
2481 return intval( substr( $this->getRevisionTimestamp(), 6, 2 ) );
2482 case 'revisionday2':
2483 return substr( $this->getRevisionTimestamp(), 6, 2 );
2484 case 'revisionmonth':
2485 return intval( substr( $this->getRevisionTimestamp(), 4, 2 ) );
2486 case 'revisionyear':
2487 return substr( $this->getRevisionTimestamp(), 0, 4 );
2488 case 'revisiontimestamp':
2489 return $this->getRevisionTimestamp();
2490 case 'namespace':
2491 return str_replace('_',' ',$wgContLang->getNsText( $this->mTitle->getNamespace() ) );
2492 case 'namespacee':
2493 return wfUrlencode( $wgContLang->getNsText( $this->mTitle->getNamespace() ) );
2494 case 'talkspace':
2495 return $this->mTitle->canTalk() ? str_replace('_',' ',$this->mTitle->getTalkNsText()) : '';
2496 case 'talkspacee':
2497 return $this->mTitle->canTalk() ? wfUrlencode( $this->mTitle->getTalkNsText() ) : '';
2498 case 'subjectspace':
2499 return $this->mTitle->getSubjectNsText();
2500 case 'subjectspacee':
2501 return( wfUrlencode( $this->mTitle->getSubjectNsText() ) );
2502 case 'currentdayname':
2503 return $varCache[$index] = $wgContLang->getWeekdayName( date( 'w', $ts ) + 1 );
2504 case 'currentyear':
2505 return $varCache[$index] = $wgContLang->formatNum( date( 'Y', $ts ), true );
2506 case 'currenttime':
2507 return $varCache[$index] = $wgContLang->time( wfTimestamp( TS_MW, $ts ), false, false );
2508 case 'currenthour':
2509 return $varCache[$index] = $wgContLang->formatNum( date( 'H', $ts ), true );
2510 case 'currentweek':
2511 // @bug 4594 PHP5 has it zero padded, PHP4 does not, cast to
2512 // int to remove the padding
2513 return $varCache[$index] = $wgContLang->formatNum( (int)date( 'W', $ts ) );
2514 case 'currentdow':
2515 return $varCache[$index] = $wgContLang->formatNum( date( 'w', $ts ) );
2516 case 'localdayname':
2517 return $varCache[$index] = $wgContLang->getWeekdayName( $localDayOfWeek + 1 );
2518 case 'localyear':
2519 return $varCache[$index] = $wgContLang->formatNum( $localYear, true );
2520 case 'localtime':
2521 return $varCache[$index] = $wgContLang->time( $localTimestamp, false, false );
2522 case 'localhour':
2523 return $varCache[$index] = $wgContLang->formatNum( $localHour, true );
2524 case 'localweek':
2525 // @bug 4594 PHP5 has it zero padded, PHP4 does not, cast to
2526 // int to remove the padding
2527 return $varCache[$index] = $wgContLang->formatNum( (int)$localWeek );
2528 case 'localdow':
2529 return $varCache[$index] = $wgContLang->formatNum( $localDayOfWeek );
2530 case 'numberofarticles':
2531 return $varCache[$index] = $wgContLang->formatNum( SiteStats::articles() );
2532 case 'numberoffiles':
2533 return $varCache[$index] = $wgContLang->formatNum( SiteStats::images() );
2534 case 'numberofusers':
2535 return $varCache[$index] = $wgContLang->formatNum( SiteStats::users() );
2536 case 'numberofpages':
2537 return $varCache[$index] = $wgContLang->formatNum( SiteStats::pages() );
2538 case 'numberofadmins':
2539 return $varCache[$index] = $wgContLang->formatNum( SiteStats::admins() );
2540 case 'currenttimestamp':
2541 return $varCache[$index] = wfTimestampNow();
2542 case 'localtimestamp':
2543 return $varCache[$index] = $localTimestamp;
2544 case 'currentversion':
2545 return $varCache[$index] = SpecialVersion::getVersion();
2546 case 'sitename':
2547 return $wgSitename;
2548 case 'server':
2549 return $wgServer;
2550 case 'servername':
2551 return $wgServerName;
2552 case 'scriptpath':
2553 return $wgScriptPath;
2554 case 'directionmark':
2555 return $wgContLang->getDirMark();
2556 case 'contentlanguage':
2557 global $wgContLanguageCode;
2558 return $wgContLanguageCode;
2559 default:
2560 $ret = null;
2561 if ( wfRunHooks( 'ParserGetVariableValueSwitch', array( &$this, &$varCache, &$index, &$ret ) ) )
2562 return $ret;
2563 else
2564 return null;
2565 }
2566 }
2567
2568 /**
2569 * initialise the magic variables (like CURRENTMONTHNAME)
2570 *
2571 * @private
2572 */
2573 function initialiseVariables() {
2574 $fname = 'Parser::initialiseVariables';
2575 wfProfileIn( $fname );
2576 $variableIDs = MagicWord::getVariableIDs();
2577
2578 $this->mVariables = array();
2579 foreach ( $variableIDs as $id ) {
2580 $mw =& MagicWord::get( $id );
2581 $mw->addToArray( $this->mVariables, $id );
2582 }
2583 wfProfileOut( $fname );
2584 }
2585
2586 /**
2587 * parse any parentheses in format ((title|part|part))
2588 * and call callbacks to get a replacement text for any found piece
2589 *
2590 * @param string $text The text to parse
2591 * @param array $callbacks rules in form:
2592 * '{' => array( # opening parentheses
2593 * 'end' => '}', # closing parentheses
2594 * 'cb' => array(2 => callback, # replacement callback to call if {{..}} is found
2595 * 3 => callback # replacement callback to call if {{{..}}} is found
2596 * )
2597 * )
2598 * 'min' => 2, # Minimum parenthesis count in cb
2599 * 'max' => 3, # Maximum parenthesis count in cb
2600 * @private
2601 */
2602 function replace_callback ($text, $callbacks) {
2603 wfProfileIn( __METHOD__ );
2604 $openingBraceStack = array(); # this array will hold a stack of parentheses which are not closed yet
2605 $lastOpeningBrace = -1; # last not closed parentheses
2606
2607 $validOpeningBraces = implode( '', array_keys( $callbacks ) );
2608
2609 $i = 0;
2610 while ( $i < strlen( $text ) ) {
2611 # Find next opening brace, closing brace or pipe
2612 if ( $lastOpeningBrace == -1 ) {
2613 $currentClosing = '';
2614 $search = $validOpeningBraces;
2615 } else {
2616 $currentClosing = $openingBraceStack[$lastOpeningBrace]['braceEnd'];
2617 $search = $validOpeningBraces . '|' . $currentClosing;
2618 }
2619 $rule = null;
2620 $i += strcspn( $text, $search, $i );
2621 if ( $i < strlen( $text ) ) {
2622 if ( $text[$i] == '|' ) {
2623 $found = 'pipe';
2624 } elseif ( $text[$i] == $currentClosing ) {
2625 $found = 'close';
2626 } elseif ( isset( $callbacks[$text[$i]] ) ) {
2627 $found = 'open';
2628 $rule = $callbacks[$text[$i]];
2629 } else {
2630 # Some versions of PHP have a strcspn which stops on null characters
2631 # Ignore and continue
2632 ++$i;
2633 continue;
2634 }
2635 } else {
2636 # All done
2637 break;
2638 }
2639
2640 if ( $found == 'open' ) {
2641 # found opening brace, let's add it to parentheses stack
2642 $piece = array('brace' => $text[$i],
2643 'braceEnd' => $rule['end'],
2644 'title' => '',
2645 'parts' => null);
2646
2647 # count opening brace characters
2648 $piece['count'] = strspn( $text, $piece['brace'], $i );
2649 $piece['startAt'] = $piece['partStart'] = $i + $piece['count'];
2650 $i += $piece['count'];
2651
2652 # we need to add to stack only if opening brace count is enough for one of the rules
2653 if ( $piece['count'] >= $rule['min'] ) {
2654 $lastOpeningBrace ++;
2655 $openingBraceStack[$lastOpeningBrace] = $piece;
2656 }
2657 } elseif ( $found == 'close' ) {
2658 # lets check if it is enough characters for closing brace
2659 $maxCount = $openingBraceStack[$lastOpeningBrace]['count'];
2660 $count = strspn( $text, $text[$i], $i, $maxCount );
2661
2662 # check for maximum matching characters (if there are 5 closing
2663 # characters, we will probably need only 3 - depending on the rules)
2664 $matchingCount = 0;
2665 $matchingCallback = null;
2666 $cbType = $callbacks[$openingBraceStack[$lastOpeningBrace]['brace']];
2667 if ( $count > $cbType['max'] ) {
2668 # The specified maximum exists in the callback array, unless the caller
2669 # has made an error
2670 $matchingCount = $cbType['max'];
2671 } else {
2672 # Count is less than the maximum
2673 # Skip any gaps in the callback array to find the true largest match
2674 # Need to use array_key_exists not isset because the callback can be null
2675 $matchingCount = $count;
2676 while ( $matchingCount > 0 && !array_key_exists( $matchingCount, $cbType['cb'] ) ) {
2677 --$matchingCount;
2678 }
2679 }
2680
2681 if ($matchingCount <= 0) {
2682 $i += $count;
2683 continue;
2684 }
2685 $matchingCallback = $cbType['cb'][$matchingCount];
2686
2687 # let's set a title or last part (if '|' was found)
2688 if (null === $openingBraceStack[$lastOpeningBrace]['parts']) {
2689 $openingBraceStack[$lastOpeningBrace]['title'] =
2690 substr($text, $openingBraceStack[$lastOpeningBrace]['partStart'],
2691 $i - $openingBraceStack[$lastOpeningBrace]['partStart']);
2692 } else {
2693 $openingBraceStack[$lastOpeningBrace]['parts'][] =
2694 substr($text, $openingBraceStack[$lastOpeningBrace]['partStart'],
2695 $i - $openingBraceStack[$lastOpeningBrace]['partStart']);
2696 }
2697
2698 $pieceStart = $openingBraceStack[$lastOpeningBrace]['startAt'] - $matchingCount;
2699 $pieceEnd = $i + $matchingCount;
2700
2701 if( is_callable( $matchingCallback ) ) {
2702 $cbArgs = array (
2703 'text' => substr($text, $pieceStart, $pieceEnd - $pieceStart),
2704 'title' => trim($openingBraceStack[$lastOpeningBrace]['title']),
2705 'parts' => $openingBraceStack[$lastOpeningBrace]['parts'],
2706 'lineStart' => (($pieceStart > 0) && ($text[$pieceStart-1] == "\n")),
2707 );
2708 # finally we can call a user callback and replace piece of text
2709 $replaceWith = call_user_func( $matchingCallback, $cbArgs );
2710 $text = substr($text, 0, $pieceStart) . $replaceWith . substr($text, $pieceEnd);
2711 $i = $pieceStart + strlen($replaceWith);
2712 } else {
2713 # null value for callback means that parentheses should be parsed, but not replaced
2714 $i += $matchingCount;
2715 }
2716
2717 # reset last opening parentheses, but keep it in case there are unused characters
2718 $piece = array('brace' => $openingBraceStack[$lastOpeningBrace]['brace'],
2719 'braceEnd' => $openingBraceStack[$lastOpeningBrace]['braceEnd'],
2720 'count' => $openingBraceStack[$lastOpeningBrace]['count'],
2721 'title' => '',
2722 'parts' => null,
2723 'startAt' => $openingBraceStack[$lastOpeningBrace]['startAt']);
2724 $openingBraceStack[$lastOpeningBrace--] = null;
2725
2726 if ($matchingCount < $piece['count']) {
2727 $piece['count'] -= $matchingCount;
2728 $piece['startAt'] -= $matchingCount;
2729 $piece['partStart'] = $piece['startAt'];
2730 # do we still qualify for any callback with remaining count?
2731 $currentCbList = $callbacks[$piece['brace']]['cb'];
2732 while ( $piece['count'] ) {
2733 if ( array_key_exists( $piece['count'], $currentCbList ) ) {
2734 $lastOpeningBrace++;
2735 $openingBraceStack[$lastOpeningBrace] = $piece;
2736 break;
2737 }
2738 --$piece['count'];
2739 }
2740 }
2741 } elseif ( $found == 'pipe' ) {
2742 # lets set a title if it is a first separator, or next part otherwise
2743 if (null === $openingBraceStack[$lastOpeningBrace]['parts']) {
2744 $openingBraceStack[$lastOpeningBrace]['title'] =
2745 substr($text, $openingBraceStack[$lastOpeningBrace]['partStart'],
2746 $i - $openingBraceStack[$lastOpeningBrace]['partStart']);
2747 $openingBraceStack[$lastOpeningBrace]['parts'] = array();
2748 } else {
2749 $openingBraceStack[$lastOpeningBrace]['parts'][] =
2750 substr($text, $openingBraceStack[$lastOpeningBrace]['partStart'],
2751 $i - $openingBraceStack[$lastOpeningBrace]['partStart']);
2752 }
2753 $openingBraceStack[$lastOpeningBrace]['partStart'] = ++$i;
2754 }
2755 }
2756
2757 wfProfileOut( __METHOD__ );
2758 return $text;
2759 }
2760
2761 /**
2762 * Replace magic variables, templates, and template arguments
2763 * with the appropriate text. Templates are substituted recursively,
2764 * taking care to avoid infinite loops.
2765 *
2766 * Note that the substitution depends on value of $mOutputType:
2767 * OT_WIKI: only {{subst:}} templates
2768 * OT_MSG: only magic variables
2769 * OT_HTML: all templates and magic variables
2770 *
2771 * @param string $tex The text to transform
2772 * @param array $args Key-value pairs representing template parameters to substitute
2773 * @param bool $argsOnly Only do argument (triple-brace) expansion, not double-brace expansion
2774 * @private
2775 */
2776 function replaceVariables( $text, $args = array(), $argsOnly = false ) {
2777 # Prevent too big inclusions
2778 if( strlen( $text ) > $this->mOptions->getMaxIncludeSize() ) {
2779 return $text;
2780 }
2781
2782 $fname = __METHOD__ /*. '-L' . count( $this->mArgStack )*/;
2783 wfProfileIn( $fname );
2784
2785 # This function is called recursively. To keep track of arguments we need a stack:
2786 array_push( $this->mArgStack, $args );
2787
2788 $braceCallbacks = array();
2789 if ( !$argsOnly ) {
2790 $braceCallbacks[2] = array( &$this, 'braceSubstitution' );
2791 }
2792 if ( $this->mOutputType != OT_MSG ) {
2793 $braceCallbacks[3] = array( &$this, 'argSubstitution' );
2794 }
2795 if ( $braceCallbacks ) {
2796 $callbacks = array(
2797 '{' => array(
2798 'end' => '}',
2799 'cb' => $braceCallbacks,
2800 'min' => $argsOnly ? 3 : 2,
2801 'max' => isset( $braceCallbacks[3] ) ? 3 : 2,
2802 ),
2803 '[' => array(
2804 'end' => ']',
2805 'cb' => array(2=>null),
2806 'min' => 2,
2807 'max' => 2,
2808 )
2809 );
2810 $text = $this->replace_callback ($text, $callbacks);
2811
2812 array_pop( $this->mArgStack );
2813 }
2814 wfProfileOut( $fname );
2815 return $text;
2816 }
2817
2818 /**
2819 * Replace magic variables
2820 * @private
2821 */
2822 function variableSubstitution( $matches ) {
2823 global $wgContLang;
2824 $fname = 'Parser::variableSubstitution';
2825 $varname = $wgContLang->lc($matches[1]);
2826 wfProfileIn( $fname );
2827 $skip = false;
2828 if ( $this->mOutputType == OT_WIKI ) {
2829 # Do only magic variables prefixed by SUBST
2830 $mwSubst =& MagicWord::get( 'subst' );
2831 if (!$mwSubst->matchStartAndRemove( $varname ))
2832 $skip = true;
2833 # Note that if we don't substitute the variable below,
2834 # we don't remove the {{subst:}} magic word, in case
2835 # it is a template rather than a magic variable.
2836 }
2837 if ( !$skip && array_key_exists( $varname, $this->mVariables ) ) {
2838 $id = $this->mVariables[$varname];
2839 # Now check if we did really match, case sensitive or not
2840 $mw =& MagicWord::get( $id );
2841 if ($mw->match($matches[1])) {
2842 $text = $this->getVariableValue( $id );
2843 $this->mOutput->mContainsOldMagic = true;
2844 } else {
2845 $text = $matches[0];
2846 }
2847 } else {
2848 $text = $matches[0];
2849 }
2850 wfProfileOut( $fname );
2851 return $text;
2852 }
2853
2854
2855 /// Clean up argument array - refactored in 1.9 so parserfunctions can use it, too.
2856 static function createAssocArgs( $args ) {
2857 $assocArgs = array();
2858 $index = 1;
2859 foreach( $args as $arg ) {
2860 $eqpos = strpos( $arg, '=' );
2861 if ( $eqpos === false ) {
2862 $assocArgs[$index++] = $arg;
2863 } else {
2864 $name = trim( substr( $arg, 0, $eqpos ) );
2865 $value = trim( substr( $arg, $eqpos+1 ) );
2866 if ( $value === false ) {
2867 $value = '';
2868 }
2869 if ( $name !== false ) {
2870 $assocArgs[$name] = $value;
2871 }
2872 }
2873 }
2874
2875 return $assocArgs;
2876 }
2877
2878 /**
2879 * Return the text of a template, after recursively
2880 * replacing any variables or templates within the template.
2881 *
2882 * @param array $piece The parts of the template
2883 * $piece['text']: matched text
2884 * $piece['title']: the title, i.e. the part before the |
2885 * $piece['parts']: the parameter array
2886 * @return string the text of the template
2887 * @private
2888 */
2889 function braceSubstitution( $piece ) {
2890 global $wgContLang, $wgLang, $wgAllowDisplayTitle;
2891 $fname = __METHOD__ /*. '-L' . count( $this->mArgStack )*/;
2892 wfProfileIn( $fname );
2893 wfProfileIn( __METHOD__.'-setup' );
2894
2895 # Flags
2896 $found = false; # $text has been filled
2897 $nowiki = false; # wiki markup in $text should be escaped
2898 $noparse = false; # Unsafe HTML tags should not be stripped, etc.
2899 $noargs = false; # Don't replace triple-brace arguments in $text
2900 $replaceHeadings = false; # Make the edit section links go to the template not the article
2901 $headingOffset = 0; # Skip headings when number, to account for those that weren't transcluded.
2902 $isHTML = false; # $text is HTML, armour it against wikitext transformation
2903 $forceRawInterwiki = false; # Force interwiki transclusion to be done in raw mode not rendered
2904
2905 # Title object, where $text came from
2906 $title = NULL;
2907
2908 $linestart = '';
2909
2910
2911 # $part1 is the bit before the first |, and must contain only title characters
2912 # $args is a list of arguments, starting from index 0, not including $part1
2913
2914 $titleText = $part1 = $piece['title'];
2915 # If the third subpattern matched anything, it will start with |
2916
2917 if (null == $piece['parts']) {
2918 $replaceWith = $this->variableSubstitution (array ($piece['text'], $piece['title']));
2919 if ($replaceWith != $piece['text']) {
2920 $text = $replaceWith;
2921 $found = true;
2922 $noparse = true;
2923 $noargs = true;
2924 }
2925 }
2926
2927 $args = (null == $piece['parts']) ? array() : $piece['parts'];
2928 wfProfileOut( __METHOD__.'-setup' );
2929
2930 # SUBST
2931 wfProfileIn( __METHOD__.'-modifiers' );
2932 if ( !$found ) {
2933 $mwSubst =& MagicWord::get( 'subst' );
2934 if ( $mwSubst->matchStartAndRemove( $part1 ) xor $this->ot['wiki'] ) {
2935 # One of two possibilities is true:
2936 # 1) Found SUBST but not in the PST phase
2937 # 2) Didn't find SUBST and in the PST phase
2938 # In either case, return without further processing
2939 $text = $piece['text'];
2940 $found = true;
2941 $noparse = true;
2942 $noargs = true;
2943 }
2944 }
2945
2946 # MSG, MSGNW and RAW
2947 if ( !$found ) {
2948 # Check for MSGNW:
2949 $mwMsgnw =& MagicWord::get( 'msgnw' );
2950 if ( $mwMsgnw->matchStartAndRemove( $part1 ) ) {
2951 $nowiki = true;
2952 } else {
2953 # Remove obsolete MSG:
2954 $mwMsg =& MagicWord::get( 'msg' );
2955 $mwMsg->matchStartAndRemove( $part1 );
2956 }
2957
2958 # Check for RAW:
2959 $mwRaw =& MagicWord::get( 'raw' );
2960 if ( $mwRaw->matchStartAndRemove( $part1 ) ) {
2961 $forceRawInterwiki = true;
2962 }
2963 }
2964 wfProfileOut( __METHOD__.'-modifiers' );
2965
2966 //save path level before recursing into functions & templates.
2967 $lastPathLevel = $this->mTemplatePath;
2968
2969 # Parser functions
2970 if ( !$found ) {
2971 wfProfileIn( __METHOD__ . '-pfunc' );
2972
2973 $colonPos = strpos( $part1, ':' );
2974 if ( $colonPos !== false ) {
2975 # Case sensitive functions
2976 $function = substr( $part1, 0, $colonPos );
2977 if ( isset( $this->mFunctionSynonyms[1][$function] ) ) {
2978 $function = $this->mFunctionSynonyms[1][$function];
2979 } else {
2980 # Case insensitive functions
2981 $function = strtolower( $function );
2982 if ( isset( $this->mFunctionSynonyms[0][$function] ) ) {
2983 $function = $this->mFunctionSynonyms[0][$function];
2984 } else {
2985 $function = false;
2986 }
2987 }
2988 if ( $function ) {
2989 $funcArgs = array_map( 'trim', $args );
2990 $funcArgs = array_merge( array( &$this, trim( substr( $part1, $colonPos + 1 ) ) ), $funcArgs );
2991 $result = call_user_func_array( $this->mFunctionHooks[$function], $funcArgs );
2992 $found = true;
2993
2994 // The text is usually already parsed, doesn't need triple-brace tags expanded, etc.
2995 //$noargs = true;
2996 //$noparse = true;
2997
2998 if ( is_array( $result ) ) {
2999 if ( isset( $result[0] ) ) {
3000 $text = $linestart . $result[0];
3001 unset( $result[0] );
3002 }
3003
3004 // Extract flags into the local scope
3005 // This allows callers to set flags such as nowiki, noparse, found, etc.
3006 extract( $result );
3007 } else {
3008 $text = $linestart . $result;
3009 }
3010 }
3011 }
3012 wfProfileOut( __METHOD__ . '-pfunc' );
3013 }
3014
3015 # Template table test
3016
3017 # Did we encounter this template already? If yes, it is in the cache
3018 # and we need to check for loops.
3019 if ( !$found && isset( $this->mTemplates[$piece['title']] ) ) {
3020 $found = true;
3021
3022 # Infinite loop test
3023 if ( isset( $this->mTemplatePath[$part1] ) ) {
3024 $noparse = true;
3025 $noargs = true;
3026 $found = true;
3027 $text = $linestart .
3028 "[[$part1]]<!-- WARNING: template loop detected -->";
3029 wfDebug( __METHOD__.": template loop broken at '$part1'\n" );
3030 } else {
3031 # set $text to cached message.
3032 $text = $linestart . $this->mTemplates[$piece['title']];
3033 }
3034 }
3035
3036 # Load from database
3037 if ( !$found ) {
3038 wfProfileIn( __METHOD__ . '-loadtpl' );
3039 $ns = NS_TEMPLATE;
3040 # declaring $subpage directly in the function call
3041 # does not work correctly with references and breaks
3042 # {{/subpage}}-style inclusions
3043 $subpage = '';
3044 $part1 = $this->maybeDoSubpageLink( $part1, $subpage );
3045 if ($subpage !== '') {
3046 $ns = $this->mTitle->getNamespace();
3047 }
3048 $title = Title::newFromText( $part1, $ns );
3049
3050
3051 if ( !is_null( $title ) ) {
3052 $titleText = $title->getPrefixedText();
3053 # Check for language variants if the template is not found
3054 if($wgContLang->hasVariants() && $title->getArticleID() == 0){
3055 $wgContLang->findVariantLink($part1, $title);
3056 }
3057
3058 if ( !$title->isExternal() ) {
3059 if ( $title->getNamespace() == NS_SPECIAL && $this->mOptions->getAllowSpecialInclusion() && $this->ot['html'] ) {
3060 $text = SpecialPage::capturePath( $title );
3061 if ( is_string( $text ) ) {
3062 $found = true;
3063 $noparse = true;
3064 $noargs = true;
3065 $isHTML = true;
3066 $this->disableCache();
3067 }
3068 } else {
3069 $articleContent = $this->fetchTemplate( $title );
3070 if ( $articleContent !== false ) {
3071 $found = true;
3072 $text = $articleContent;
3073 $replaceHeadings = true;
3074 }
3075 }
3076
3077 # If the title is valid but undisplayable, make a link to it
3078 if ( !$found && ( $this->ot['html'] || $this->ot['pre'] ) ) {
3079 $text = "[[:$titleText]]";
3080 $found = true;
3081 }
3082 } elseif ( $title->isTrans() ) {
3083 // Interwiki transclusion
3084 if ( $this->ot['html'] && !$forceRawInterwiki ) {
3085 $text = $this->interwikiTransclude( $title, 'render' );
3086 $isHTML = true;
3087 $noparse = true;
3088 } else {
3089 $text = $this->interwikiTransclude( $title, 'raw' );
3090 $replaceHeadings = true;
3091 }
3092 $found = true;
3093 }
3094
3095 # Template cache array insertion
3096 # Use the original $piece['title'] not the mangled $part1, so that
3097 # modifiers such as RAW: produce separate cache entries
3098 if( $found ) {
3099 if( $isHTML ) {
3100 // A special page; don't store it in the template cache.
3101 } else {
3102 $this->mTemplates[$piece['title']] = $text;
3103 }
3104 $text = $linestart . $text;
3105 }
3106 }
3107 wfProfileOut( __METHOD__ . '-loadtpl' );
3108 }
3109
3110 if ( $found && !$this->incrementIncludeSize( 'pre-expand', strlen( $text ) ) ) {
3111 # Error, oversize inclusion
3112 $text = $linestart .
3113 "[[$titleText]]<!-- WARNING: template omitted, pre-expand include size too large -->";
3114 $noparse = true;
3115 $noargs = true;
3116 }
3117
3118 # Recursive parsing, escaping and link table handling
3119 # Only for HTML output
3120 if ( $nowiki && $found && ( $this->ot['html'] || $this->ot['pre'] ) ) {
3121 $text = wfEscapeWikiText( $text );
3122 } elseif ( !$this->ot['msg'] && $found ) {
3123 if ( $noargs ) {
3124 $assocArgs = array();
3125 } else {
3126 # Clean up argument array
3127 $assocArgs = self::createAssocArgs($args);
3128 # Add a new element to the templace recursion path
3129 $this->mTemplatePath[$part1] = 1;
3130 }
3131
3132 if ( !$noparse ) {
3133 # If there are any <onlyinclude> tags, only include them
3134 if ( in_string( '<onlyinclude>', $text ) && in_string( '</onlyinclude>', $text ) ) {
3135 $replacer = new OnlyIncludeReplacer;
3136 StringUtils::delimiterReplaceCallback( '<onlyinclude>', '</onlyinclude>',
3137 array( &$replacer, 'replace' ), $text );
3138 $text = $replacer->output;
3139 }
3140 # Remove <noinclude> sections and <includeonly> tags
3141 $text = StringUtils::delimiterReplace( '<noinclude>', '</noinclude>', '', $text );
3142 $text = strtr( $text, array( '<includeonly>' => '' , '</includeonly>' => '' ) );
3143
3144 if( $this->ot['html'] || $this->ot['pre'] ) {
3145 # Strip <nowiki>, <pre>, etc.
3146 $text = $this->strip( $text, $this->mStripState );
3147 if ( $this->ot['html'] ) {
3148 $text = Sanitizer::removeHTMLtags( $text, array( &$this, 'replaceVariables' ), $assocArgs );
3149 } elseif ( $this->ot['pre'] && $this->mOptions->getRemoveComments() ) {
3150 $text = Sanitizer::removeHTMLcomments( $text );
3151 }
3152 }
3153 $text = $this->replaceVariables( $text, $assocArgs );
3154
3155 # If the template begins with a table or block-level
3156 # element, it should be treated as beginning a new line.
3157 if (!$piece['lineStart'] && preg_match('/^({\\||:|;|#|\*)/', $text)) /*}*/{
3158 $text = "\n" . $text;
3159 }
3160 } elseif ( !$noargs ) {
3161 # $noparse and !$noargs
3162 # Just replace the arguments, not any double-brace items
3163 # This is used for rendered interwiki transclusion
3164 $text = $this->replaceVariables( $text, $assocArgs, true );
3165 }
3166 }
3167 # Prune lower levels off the recursion check path
3168 $this->mTemplatePath = $lastPathLevel;
3169
3170 if ( $found && !$this->incrementIncludeSize( 'post-expand', strlen( $text ) ) ) {
3171 # Error, oversize inclusion
3172 $text = $linestart .
3173 "[[$titleText]]<!-- WARNING: template omitted, post-expand include size too large -->";
3174 $noparse = true;
3175 $noargs = true;
3176 }
3177
3178 if ( !$found ) {
3179 wfProfileOut( $fname );
3180 return $piece['text'];
3181 } else {
3182 wfProfileIn( __METHOD__ . '-placeholders' );
3183 if ( $isHTML ) {
3184 # Replace raw HTML by a placeholder
3185 # Add a blank line preceding, to prevent it from mucking up
3186 # immediately preceding headings
3187 $text = "\n\n" . $this->insertStripItem( $text, $this->mStripState );
3188 } else {
3189 # replace ==section headers==
3190 # XXX this needs to go away once we have a better parser.
3191 if ( !$this->ot['wiki'] && !$this->ot['pre'] && $replaceHeadings ) {
3192 if( !is_null( $title ) )
3193 $encodedname = base64_encode($title->getPrefixedDBkey());
3194 else
3195 $encodedname = base64_encode("");
3196 $m = preg_split('/(^={1,6}.*?={1,6}\s*?$)/m', $text, -1,
3197 PREG_SPLIT_DELIM_CAPTURE);
3198 $text = '';
3199 $nsec = $headingOffset;
3200 for( $i = 0; $i < count($m); $i += 2 ) {
3201 $text .= $m[$i];
3202 if (!isset($m[$i + 1]) || $m[$i + 1] == "") continue;
3203 $hl = $m[$i + 1];
3204 if( strstr($hl, "<!--MWTEMPLATESECTION") ) {
3205 $text .= $hl;
3206 continue;
3207 }
3208 $m2 = array();
3209 preg_match('/^(={1,6})(.*?)(={1,6})\s*?$/m', $hl, $m2);
3210 $text .= $m2[1] . $m2[2] . "<!--MWTEMPLATESECTION="
3211 . $encodedname . "&" . base64_encode("$nsec") . "-->" . $m2[3];
3212
3213 $nsec++;
3214 }
3215 }
3216 }
3217 wfProfileOut( __METHOD__ . '-placeholders' );
3218 }
3219
3220 # Prune lower levels off the recursion check path
3221 $this->mTemplatePath = $lastPathLevel;
3222
3223 if ( !$found ) {
3224 wfProfileOut( $fname );
3225 return $piece['text'];
3226 } else {
3227 wfProfileOut( $fname );
3228 return $text;
3229 }
3230 }
3231
3232 /**
3233 * Fetch the unparsed text of a template and register a reference to it.
3234 */
3235 function fetchTemplate( $title ) {
3236 $text = false;
3237 // Loop to fetch the article, with up to 1 redirect
3238 for ( $i = 0; $i < 2 && is_object( $title ); $i++ ) {
3239 $rev = Revision::newFromTitle( $title );
3240 $this->mOutput->addTemplate( $title, $title->getArticleID() );
3241 if ( $rev ) {
3242 $text = $rev->getText();
3243 } elseif( $title->getNamespace() == NS_MEDIAWIKI ) {
3244 global $wgLang;
3245 $message = $wgLang->lcfirst( $title->getText() );
3246 $text = wfMsgForContentNoTrans( $message );
3247 if( wfEmptyMsg( $message, $text ) ) {
3248 $text = false;
3249 break;
3250 }
3251 } else {
3252 break;
3253 }
3254 if ( $text === false ) {
3255 break;
3256 }
3257 // Redirect?
3258 $title = Title::newFromRedirect( $text );
3259 }
3260 return $text;
3261 }
3262
3263 /**
3264 * Transclude an interwiki link.
3265 */
3266 function interwikiTransclude( $title, $action ) {
3267 global $wgEnableScaryTranscluding;
3268
3269 if (!$wgEnableScaryTranscluding)
3270 return wfMsg('scarytranscludedisabled');
3271
3272 $url = $title->getFullUrl( "action=$action" );
3273
3274 if (strlen($url) > 255)
3275 return wfMsg('scarytranscludetoolong');
3276 return $this->fetchScaryTemplateMaybeFromCache($url);
3277 }
3278
3279 function fetchScaryTemplateMaybeFromCache($url) {
3280 global $wgTranscludeCacheExpiry;
3281 $dbr =& wfGetDB(DB_SLAVE);
3282 $obj = $dbr->selectRow('transcache', array('tc_time', 'tc_contents'),
3283 array('tc_url' => $url));
3284 if ($obj) {
3285 $time = $obj->tc_time;
3286 $text = $obj->tc_contents;
3287 if ($time && time() < $time + $wgTranscludeCacheExpiry ) {
3288 return $text;
3289 }
3290 }
3291
3292 $text = Http::get($url);
3293 if (!$text)
3294 return wfMsg('scarytranscludefailed', $url);
3295
3296 $dbw =& wfGetDB(DB_MASTER);
3297 $dbw->replace('transcache', array('tc_url'), array(
3298 'tc_url' => $url,
3299 'tc_time' => time(),
3300 'tc_contents' => $text));
3301 return $text;
3302 }
3303
3304
3305 /**
3306 * Triple brace replacement -- used for template arguments
3307 * @private
3308 */
3309 function argSubstitution( $matches ) {
3310 $arg = trim( $matches['title'] );
3311 $text = $matches['text'];
3312 $inputArgs = end( $this->mArgStack );
3313
3314 if ( array_key_exists( $arg, $inputArgs ) ) {
3315 $text = $inputArgs[$arg];
3316 } else if (($this->mOutputType == OT_HTML || $this->mOutputType == OT_PREPROCESS ) &&
3317 null != $matches['parts'] && count($matches['parts']) > 0) {
3318 $text = $matches['parts'][0];
3319 }
3320 if ( !$this->incrementIncludeSize( 'arg', strlen( $text ) ) ) {
3321 $text = $matches['text'] .
3322 '<!-- WARNING: argument omitted, expansion size too large -->';
3323 }
3324
3325 return $text;
3326 }
3327
3328 /**
3329 * Increment an include size counter
3330 *
3331 * @param string $type The type of expansion
3332 * @param integer $size The size of the text
3333 * @return boolean False if this inclusion would take it over the maximum, true otherwise
3334 */
3335 function incrementIncludeSize( $type, $size ) {
3336 if ( $this->mIncludeSizes[$type] + $size > $this->mOptions->getMaxIncludeSize() ) {
3337 return false;
3338 } else {
3339 $this->mIncludeSizes[$type] += $size;
3340 return true;
3341 }
3342 }
3343
3344 /**
3345 * Detect __NOGALLERY__ magic word and set a placeholder
3346 */
3347 function stripNoGallery( &$text ) {
3348 # if the string __NOGALLERY__ (not case-sensitive) occurs in the HTML,
3349 # do not add TOC
3350 $mw = MagicWord::get( 'nogallery' );
3351 $this->mOutput->mNoGallery = $mw->matchAndRemove( $text ) ;
3352 }
3353
3354 /**
3355 * Detect __TOC__ magic word and set a placeholder
3356 */
3357 function stripToc( $text ) {
3358 # if the string __NOTOC__ (not case-sensitive) occurs in the HTML,
3359 # do not add TOC
3360 $mw = MagicWord::get( 'notoc' );
3361 if( $mw->matchAndRemove( $text ) ) {
3362 $this->mShowToc = false;
3363 }
3364
3365 $mw = MagicWord::get( 'toc' );
3366 if( $mw->match( $text ) ) {
3367 $this->mShowToc = true;
3368 $this->mForceTocPosition = true;
3369
3370 // Set a placeholder. At the end we'll fill it in with the TOC.
3371 $text = $mw->replace( '<!--MWTOC-->', $text, 1 );
3372
3373 // Only keep the first one.
3374 $text = $mw->replace( '', $text );
3375 }
3376 return $text;
3377 }
3378
3379 /**
3380 * This function accomplishes several tasks:
3381 * 1) Auto-number headings if that option is enabled
3382 * 2) Add an [edit] link to sections for logged in users who have enabled the option
3383 * 3) Add a Table of contents on the top for users who have enabled the option
3384 * 4) Auto-anchor headings
3385 *
3386 * It loops through all headlines, collects the necessary data, then splits up the
3387 * string and re-inserts the newly formatted headlines.
3388 *
3389 * @param string $text
3390 * @param boolean $isMain
3391 * @private
3392 */
3393 function formatHeadings( $text, $isMain=true ) {
3394 global $wgMaxTocLevel, $wgContLang;
3395
3396 $doNumberHeadings = $this->mOptions->getNumberHeadings();
3397 if( !$this->mTitle->quickUserCan( 'edit' ) ) {
3398 $showEditLink = 0;
3399 } else {
3400 $showEditLink = $this->mOptions->getEditSection();
3401 }
3402
3403 # Inhibit editsection links if requested in the page
3404 $esw =& MagicWord::get( 'noeditsection' );
3405 if( $esw->matchAndRemove( $text ) ) {
3406 $showEditLink = 0;
3407 }
3408
3409 # Get all headlines for numbering them and adding funky stuff like [edit]
3410 # links - this is for later, but we need the number of headlines right now
3411 $matches = array();
3412 $numMatches = preg_match_all( '/<H(?P<level>[1-6])(?P<attrib>.*?'.'>)(?P<header>.*?)<\/H[1-6] *>/i', $text, $matches );
3413
3414 # if there are fewer than 4 headlines in the article, do not show TOC
3415 # unless it's been explicitly enabled.
3416 $enoughToc = $this->mShowToc &&
3417 (($numMatches >= 4) || $this->mForceTocPosition);
3418
3419 # Allow user to stipulate that a page should have a "new section"
3420 # link added via __NEWSECTIONLINK__
3421 $mw =& MagicWord::get( 'newsectionlink' );
3422 if( $mw->matchAndRemove( $text ) )
3423 $this->mOutput->setNewSection( true );
3424
3425 # if the string __FORCETOC__ (not case-sensitive) occurs in the HTML,
3426 # override above conditions and always show TOC above first header
3427 $mw =& MagicWord::get( 'forcetoc' );
3428 if ($mw->matchAndRemove( $text ) ) {
3429 $this->mShowToc = true;
3430 $enoughToc = true;
3431 }
3432
3433 # Never ever show TOC if no headers
3434 if( $numMatches < 1 ) {
3435 $enoughToc = false;
3436 }
3437
3438 # We need this to perform operations on the HTML
3439 $sk =& $this->mOptions->getSkin();
3440
3441 # headline counter
3442 $headlineCount = 0;
3443 $sectionCount = 0; # headlineCount excluding template sections
3444
3445 # Ugh .. the TOC should have neat indentation levels which can be
3446 # passed to the skin functions. These are determined here
3447 $toc = '';
3448 $full = '';
3449 $head = array();
3450 $sublevelCount = array();
3451 $levelCount = array();
3452 $toclevel = 0;
3453 $level = 0;
3454 $prevlevel = 0;
3455 $toclevel = 0;
3456 $prevtoclevel = 0;
3457
3458 foreach( $matches[3] as $headline ) {
3459 $istemplate = 0;
3460 $templatetitle = '';
3461 $templatesection = 0;
3462 $numbering = '';
3463 $mat = array();
3464 if (preg_match("/<!--MWTEMPLATESECTION=([^&]+)&([^_]+)-->/", $headline, $mat)) {
3465 $istemplate = 1;
3466 $templatetitle = base64_decode($mat[1]);
3467 $templatesection = 1 + (int)base64_decode($mat[2]);
3468 $headline = preg_replace("/<!--MWTEMPLATESECTION=([^&]+)&([^_]+)-->/", "", $headline);
3469 }
3470
3471 if( $toclevel ) {
3472 $prevlevel = $level;
3473 $prevtoclevel = $toclevel;
3474 }
3475 $level = $matches[1][$headlineCount];
3476
3477 if( $doNumberHeadings || $enoughToc ) {
3478
3479 if ( $level > $prevlevel ) {
3480 # Increase TOC level
3481 $toclevel++;
3482 $sublevelCount[$toclevel] = 0;
3483 if( $toclevel<$wgMaxTocLevel ) {
3484 $toc .= $sk->tocIndent();
3485 }
3486 }
3487 elseif ( $level < $prevlevel && $toclevel > 1 ) {
3488 # Decrease TOC level, find level to jump to
3489
3490 if ( $toclevel == 2 && $level <= $levelCount[1] ) {
3491 # Can only go down to level 1
3492 $toclevel = 1;
3493 } else {
3494 for ($i = $toclevel; $i > 0; $i--) {
3495 if ( $levelCount[$i] == $level ) {
3496 # Found last matching level
3497 $toclevel = $i;
3498 break;
3499 }
3500 elseif ( $levelCount[$i] < $level ) {
3501 # Found first matching level below current level
3502 $toclevel = $i + 1;
3503 break;
3504 }
3505 }
3506 }
3507 if( $toclevel<$wgMaxTocLevel ) {
3508 $toc .= $sk->tocUnindent( $prevtoclevel - $toclevel );
3509 }
3510 }
3511 else {
3512 # No change in level, end TOC line
3513 if( $toclevel<$wgMaxTocLevel ) {
3514 $toc .= $sk->tocLineEnd();
3515 }
3516 }
3517
3518 $levelCount[$toclevel] = $level;
3519
3520 # count number of headlines for each level
3521 @$sublevelCount[$toclevel]++;
3522 $dot = 0;
3523 for( $i = 1; $i <= $toclevel; $i++ ) {
3524 if( !empty( $sublevelCount[$i] ) ) {
3525 if( $dot ) {
3526 $numbering .= '.';
3527 }
3528 $numbering .= $wgContLang->formatNum( $sublevelCount[$i] );
3529 $dot = 1;
3530 }
3531 }
3532 }
3533
3534 # The canonized header is a version of the header text safe to use for links
3535 # Avoid insertion of weird stuff like <math> by expanding the relevant sections
3536 $canonized_headline = $this->mStripState->unstripBoth( $headline );
3537
3538 # Remove link placeholders by the link text.
3539 # <!--LINK number-->
3540 # turns into
3541 # link text with suffix
3542 $canonized_headline = preg_replace( '/<!--LINK ([0-9]*)-->/e',
3543 "\$this->mLinkHolders['texts'][\$1]",
3544 $canonized_headline );
3545 $canonized_headline = preg_replace( '/<!--IWLINK ([0-9]*)-->/e',
3546 "\$this->mInterwikiLinkHolders['texts'][\$1]",
3547 $canonized_headline );
3548
3549 # strip out HTML
3550 $canonized_headline = preg_replace( '/<.*?' . '>/','',$canonized_headline );
3551 $tocline = trim( $canonized_headline );
3552 # Save headline for section edit hint before it's escaped
3553 $headline_hint = trim( $canonized_headline );
3554 $canonized_headline = Sanitizer::escapeId( $tocline );
3555 $refers[$headlineCount] = $canonized_headline;
3556
3557 # count how many in assoc. array so we can track dupes in anchors
3558 isset( $refers[$canonized_headline] ) ? $refers[$canonized_headline]++ : $refers[$canonized_headline] = 1;
3559 $refcount[$headlineCount]=$refers[$canonized_headline];
3560
3561 # Don't number the heading if it is the only one (looks silly)
3562 if( $doNumberHeadings && count( $matches[3] ) > 1) {
3563 # the two are different if the line contains a link
3564 $headline=$numbering . ' ' . $headline;
3565 }
3566
3567 # Create the anchor for linking from the TOC to the section
3568 $anchor = $canonized_headline;
3569 if($refcount[$headlineCount] > 1 ) {
3570 $anchor .= '_' . $refcount[$headlineCount];
3571 }
3572 if( $enoughToc && ( !isset($wgMaxTocLevel) || $toclevel<$wgMaxTocLevel ) ) {
3573 $toc .= $sk->tocLine($anchor, $tocline, $numbering, $toclevel);
3574 }
3575 # give headline the correct <h#> tag
3576 if( $showEditLink && ( !$istemplate || $templatetitle !== "" ) ) {
3577 if( $istemplate )
3578 $editlink = $sk->editSectionLinkForOther($templatetitle, $templatesection);
3579 else
3580 $editlink = $sk->editSectionLink($this->mTitle, $sectionCount+1, $headline_hint);
3581 } else {
3582 $editlink = '';
3583 }
3584 $head[$headlineCount] = $sk->makeHeadline( $level, $matches['attrib'][$headlineCount], $anchor, $headline, $editlink );
3585
3586 $headlineCount++;
3587 if( !$istemplate )
3588 $sectionCount++;
3589 }
3590
3591 if( $enoughToc ) {
3592 if( $toclevel<$wgMaxTocLevel ) {
3593 $toc .= $sk->tocUnindent( $toclevel - 1 );
3594 }
3595 $toc = $sk->tocList( $toc );
3596 }
3597
3598 # split up and insert constructed headlines
3599
3600 $blocks = preg_split( '/<H[1-6].*?' . '>.*?<\/H[1-6]>/i', $text );
3601 $i = 0;
3602
3603 foreach( $blocks as $block ) {
3604 if( $showEditLink && $headlineCount > 0 && $i == 0 && $block != "\n" ) {
3605 # This is the [edit] link that appears for the top block of text when
3606 # section editing is enabled
3607
3608 # Disabled because it broke block formatting
3609 # For example, a bullet point in the top line
3610 # $full .= $sk->editSectionLink(0);
3611 }
3612 $full .= $block;
3613 if( $enoughToc && !$i && $isMain && !$this->mForceTocPosition ) {
3614 # Top anchor now in skin
3615 $full = $full.$toc;
3616 }
3617
3618 if( !empty( $head[$i] ) ) {
3619 $full .= $head[$i];
3620 }
3621 $i++;
3622 }
3623 if( $this->mForceTocPosition ) {
3624 return str_replace( '<!--MWTOC-->', $toc, $full );
3625 } else {
3626 return $full;
3627 }
3628 }
3629
3630 /**
3631 * Transform wiki markup when saving a page by doing \r\n -> \n
3632 * conversion, substitting signatures, {{subst:}} templates, etc.
3633 *
3634 * @param string $text the text to transform
3635 * @param Title &$title the Title object for the current article
3636 * @param User &$user the User object describing the current user
3637 * @param ParserOptions $options parsing options
3638 * @param bool $clearState whether to clear the parser state first
3639 * @return string the altered wiki markup
3640 * @public
3641 */
3642 function preSaveTransform( $text, &$title, $user, $options, $clearState = true ) {
3643 $this->mOptions = $options;
3644 $this->mTitle =& $title;
3645 $this->setOutputType( OT_WIKI );
3646
3647 if ( $clearState ) {
3648 $this->clearState();
3649 }
3650
3651 $stripState = new StripState;
3652 $pairs = array(
3653 "\r\n" => "\n",
3654 );
3655 $text = str_replace( array_keys( $pairs ), array_values( $pairs ), $text );
3656 $text = $this->strip( $text, $stripState, true, array( 'gallery' ) );
3657 $text = $this->pstPass2( $text, $stripState, $user );
3658 $text = $stripState->unstripBoth( $text );
3659 return $text;
3660 }
3661
3662 /**
3663 * Pre-save transform helper function
3664 * @private
3665 */
3666 function pstPass2( $text, &$stripState, $user ) {
3667 global $wgContLang, $wgLocaltimezone;
3668
3669 /* Note: This is the timestamp saved as hardcoded wikitext to
3670 * the database, we use $wgContLang here in order to give
3671 * everyone the same signature and use the default one rather
3672 * than the one selected in each user's preferences.
3673 */
3674 if ( isset( $wgLocaltimezone ) ) {
3675 $oldtz = getenv( 'TZ' );
3676 putenv( 'TZ='.$wgLocaltimezone );
3677 }
3678 $d = $wgContLang->timeanddate( date( 'YmdHis' ), false, false) .
3679 ' (' . date( 'T' ) . ')';
3680 if ( isset( $wgLocaltimezone ) ) {
3681 putenv( 'TZ='.$oldtz );
3682 }
3683
3684 # Variable replacement
3685 # Because mOutputType is OT_WIKI, this will only process {{subst:xxx}} type tags
3686 $text = $this->replaceVariables( $text );
3687
3688 # Strip out <nowiki> etc. added via replaceVariables
3689 $text = $this->strip( $text, $stripState, false, array( 'gallery' ) );
3690
3691 # Signatures
3692 $sigText = $this->getUserSig( $user );
3693 $text = strtr( $text, array(
3694 '~~~~~' => $d,
3695 '~~~~' => "$sigText $d",
3696 '~~~' => $sigText
3697 ) );
3698
3699 # Context links: [[|name]] and [[name (context)|]]
3700 #
3701 global $wgLegalTitleChars;
3702 $tc = "[$wgLegalTitleChars]";
3703 $nc = '[ _0-9A-Za-z\x80-\xff]'; # Namespaces can use non-ascii!
3704
3705 $p1 = "/\[\[(:?$nc+:|:|)($tc+?)( \\($tc+\\))\\|]]/"; # [[ns:page (context)|]]
3706 $p3 = "/\[\[(:?$nc+:|:|)($tc+?)( \\($tc+\\)|)(, $tc+|)\\|]]/"; # [[ns:page (context), context|]]
3707 $p2 = "/\[\[\\|($tc+)]]/"; # [[|page]]
3708
3709 # try $p1 first, to turn "[[A, B (C)|]]" into "[[A, B (C)|A, B]]"
3710 $text = preg_replace( $p1, '[[\\1\\2\\3|\\2]]', $text );
3711 $text = preg_replace( $p3, '[[\\1\\2\\3\\4|\\2]]', $text );
3712
3713 $t = $this->mTitle->getText();
3714 $m = array();
3715 if ( preg_match( "/^($nc+:|)$tc+?( \\($tc+\\))$/", $t, $m ) ) {
3716 $text = preg_replace( $p2, "[[$m[1]\\1$m[2]|\\1]]", $text );
3717 } elseif ( preg_match( "/^($nc+:|)$tc+?(, $tc+|)$/", $t, $m ) && '' != "$m[1]$m[2]" ) {
3718 $text = preg_replace( $p2, "[[$m[1]\\1$m[2]|\\1]]", $text );
3719 } else {
3720 # if there's no context, don't bother duplicating the title
3721 $text = preg_replace( $p2, '[[\\1]]', $text );
3722 }
3723
3724 # Trim trailing whitespace
3725 $text = rtrim( $text );
3726
3727 return $text;
3728 }
3729
3730 /**
3731 * Fetch the user's signature text, if any, and normalize to
3732 * validated, ready-to-insert wikitext.
3733 *
3734 * @param User $user
3735 * @return string
3736 * @private
3737 */
3738 function getUserSig( &$user ) {
3739 $username = $user->getName();
3740 $nickname = $user->getOption( 'nickname' );
3741 $nickname = $nickname === '' ? $username : $nickname;
3742
3743 if( $user->getBoolOption( 'fancysig' ) !== false ) {
3744 # Sig. might contain markup; validate this
3745 if( $this->validateSig( $nickname ) !== false ) {
3746 # Validated; clean up (if needed) and return it
3747 return $this->cleanSig( $nickname, true );
3748 } else {
3749 # Failed to validate; fall back to the default
3750 $nickname = $username;
3751 wfDebug( "Parser::getUserSig: $username has bad XML tags in signature.\n" );
3752 }
3753 }
3754
3755 // Make sure nickname doesnt get a sig in a sig
3756 $nickname = $this->cleanSigInSig( $nickname );
3757
3758 # If we're still here, make it a link to the user page
3759 $userpage = $user->getUserPage();
3760 return( '[[' . $userpage->getPrefixedText() . '|' . wfEscapeWikiText( $nickname ) . ']]' );
3761 }
3762
3763 /**
3764 * Check that the user's signature contains no bad XML
3765 *
3766 * @param string $text
3767 * @return mixed An expanded string, or false if invalid.
3768 */
3769 function validateSig( $text ) {
3770 return( wfIsWellFormedXmlFragment( $text ) ? $text : false );
3771 }
3772
3773 /**
3774 * Clean up signature text
3775 *
3776 * 1) Strip ~~~, ~~~~ and ~~~~~ out of signatures @see cleanSigInSig
3777 * 2) Substitute all transclusions
3778 *
3779 * @param string $text
3780 * @param $parsing Whether we're cleaning (preferences save) or parsing
3781 * @return string Signature text
3782 */
3783 function cleanSig( $text, $parsing = false ) {
3784 global $wgTitle;
3785 $this->startExternalParse( $wgTitle, new ParserOptions(), $parsing ? OT_WIKI : OT_MSG );
3786
3787 $substWord = MagicWord::get( 'subst' );
3788 $substRegex = '/\{\{(?!(?:' . $substWord->getBaseRegex() . '))/x' . $substWord->getRegexCase();
3789 $substText = '{{' . $substWord->getSynonym( 0 );
3790
3791 $text = preg_replace( $substRegex, $substText, $text );
3792 $text = $this->cleanSigInSig( $text );
3793 $text = $this->replaceVariables( $text );
3794
3795 $this->clearState();
3796 return $text;
3797 }
3798
3799 /**
3800 * Strip ~~~, ~~~~ and ~~~~~ out of signatures
3801 * @param string $text
3802 * @return string Signature text with /~{3,5}/ removed
3803 */
3804 function cleanSigInSig( $text ) {
3805 $text = preg_replace( '/~{3,5}/', '', $text );
3806 return $text;
3807 }
3808
3809 /**
3810 * Set up some variables which are usually set up in parse()
3811 * so that an external function can call some class members with confidence
3812 * @public
3813 */
3814 function startExternalParse( &$title, $options, $outputType, $clearState = true ) {
3815 $this->mTitle =& $title;
3816 $this->mOptions = $options;
3817 $this->setOutputType( $outputType );
3818 if ( $clearState ) {
3819 $this->clearState();
3820 }
3821 }
3822
3823 /**
3824 * Transform a MediaWiki message by replacing magic variables.
3825 *
3826 * @param string $text the text to transform
3827 * @param ParserOptions $options options
3828 * @return string the text with variables substituted
3829 * @public
3830 */
3831 function transformMsg( $text, $options ) {
3832 global $wgTitle;
3833 static $executing = false;
3834
3835 $fname = "Parser::transformMsg";
3836
3837 # Guard against infinite recursion
3838 if ( $executing ) {
3839 return $text;
3840 }
3841 $executing = true;
3842
3843 wfProfileIn($fname);
3844
3845 if ( $wgTitle && !( $wgTitle instanceof FakeTitle ) ) {
3846 $this->mTitle = $wgTitle;
3847 } else {
3848 $this->mTitle = Title::newFromText('msg');
3849 }
3850 $this->mOptions = $options;
3851 $this->setOutputType( OT_MSG );
3852 $this->clearState();
3853 $text = $this->replaceVariables( $text );
3854
3855 $executing = false;
3856 wfProfileOut($fname);
3857 return $text;
3858 }
3859
3860 /**
3861 * Create an HTML-style tag, e.g. <yourtag>special text</yourtag>
3862 * The callback should have the following form:
3863 * function myParserHook( $text, $params, &$parser ) { ... }
3864 *
3865 * Transform and return $text. Use $parser for any required context, e.g. use
3866 * $parser->getTitle() and $parser->getOptions() not $wgTitle or $wgOut->mParserOptions
3867 *
3868 * @public
3869 *
3870 * @param mixed $tag The tag to use, e.g. 'hook' for <hook>
3871 * @param mixed $callback The callback function (and object) to use for the tag
3872 *
3873 * @return The old value of the mTagHooks array associated with the hook
3874 */
3875 function setHook( $tag, $callback ) {
3876 $tag = strtolower( $tag );
3877 $oldVal = isset( $this->mTagHooks[$tag] ) ? $this->mTagHooks[$tag] : null;
3878 $this->mTagHooks[$tag] = $callback;
3879
3880 return $oldVal;
3881 }
3882
3883 /**
3884 * Create a function, e.g. {{sum:1|2|3}}
3885 * The callback function should have the form:
3886 * function myParserFunction( &$parser, $arg1, $arg2, $arg3 ) { ... }
3887 *
3888 * The callback may either return the text result of the function, or an array with the text
3889 * in element 0, and a number of flags in the other elements. The names of the flags are
3890 * specified in the keys. Valid flags are:
3891 * found The text returned is valid, stop processing the template. This
3892 * is on by default.
3893 * nowiki Wiki markup in the return value should be escaped
3894 * noparse Unsafe HTML tags should not be stripped, etc.
3895 * noargs Don't replace triple-brace arguments in the return value
3896 * isHTML The returned text is HTML, armour it against wikitext transformation
3897 *
3898 * @public
3899 *
3900 * @param string $id The magic word ID
3901 * @param mixed $callback The callback function (and object) to use
3902 * @param integer $flags a combination of the following flags:
3903 * SFH_NO_HASH No leading hash, i.e. {{plural:...}} instead of {{#if:...}}
3904 *
3905 * @return The old callback function for this name, if any
3906 */
3907 function setFunctionHook( $id, $callback, $flags = 0 ) {
3908 $oldVal = isset( $this->mFunctionHooks[$id] ) ? $this->mFunctionHooks[$id] : null;
3909 $this->mFunctionHooks[$id] = $callback;
3910
3911 # Add to function cache
3912 $mw = MagicWord::get( $id );
3913 if( !$mw )
3914 throw new MWException( 'Parser::setFunctionHook() expecting a magic word identifier.' );
3915
3916 $synonyms = $mw->getSynonyms();
3917 $sensitive = intval( $mw->isCaseSensitive() );
3918
3919 foreach ( $synonyms as $syn ) {
3920 # Case
3921 if ( !$sensitive ) {
3922 $syn = strtolower( $syn );
3923 }
3924 # Add leading hash
3925 if ( !( $flags & SFH_NO_HASH ) ) {
3926 $syn = '#' . $syn;
3927 }
3928 # Remove trailing colon
3929 if ( substr( $syn, -1, 1 ) == ':' ) {
3930 $syn = substr( $syn, 0, -1 );
3931 }
3932 $this->mFunctionSynonyms[$sensitive][$syn] = $id;
3933 }
3934 return $oldVal;
3935 }
3936
3937 /**
3938 * Get all registered function hook identifiers
3939 *
3940 * @return array
3941 */
3942 function getFunctionHooks() {
3943 return array_keys( $this->mFunctionHooks );
3944 }
3945
3946 /**
3947 * Replace <!--LINK--> link placeholders with actual links, in the buffer
3948 * Placeholders created in Skin::makeLinkObj()
3949 * Returns an array of links found, indexed by PDBK:
3950 * 0 - broken
3951 * 1 - normal link
3952 * 2 - stub
3953 * $options is a bit field, RLH_FOR_UPDATE to select for update
3954 */
3955 function replaceLinkHolders( &$text, $options = 0 ) {
3956 global $wgUser;
3957 global $wgContLang;
3958
3959 $fname = 'Parser::replaceLinkHolders';
3960 wfProfileIn( $fname );
3961
3962 $pdbks = array();
3963 $colours = array();
3964 $sk =& $this->mOptions->getSkin();
3965 $linkCache =& LinkCache::singleton();
3966
3967 if ( !empty( $this->mLinkHolders['namespaces'] ) ) {
3968 wfProfileIn( $fname.'-check' );
3969 $dbr =& wfGetDB( DB_SLAVE );
3970 $page = $dbr->tableName( 'page' );
3971 $threshold = $wgUser->getOption('stubthreshold');
3972
3973 # Sort by namespace
3974 asort( $this->mLinkHolders['namespaces'] );
3975
3976 # Generate query
3977 $query = false;
3978 $current = null;
3979 foreach ( $this->mLinkHolders['namespaces'] as $key => $ns ) {
3980 # Make title object
3981 $title = $this->mLinkHolders['titles'][$key];
3982
3983 # Skip invalid entries.
3984 # Result will be ugly, but prevents crash.
3985 if ( is_null( $title ) ) {
3986 continue;
3987 }
3988 $pdbk = $pdbks[$key] = $title->getPrefixedDBkey();
3989
3990 # Check if it's a static known link, e.g. interwiki
3991 if ( $title->isAlwaysKnown() ) {
3992 $colours[$pdbk] = 1;
3993 } elseif ( ( $id = $linkCache->getGoodLinkID( $pdbk ) ) != 0 ) {
3994 $colours[$pdbk] = 1;
3995 $this->mOutput->addLink( $title, $id );
3996 } elseif ( $linkCache->isBadLink( $pdbk ) ) {
3997 $colours[$pdbk] = 0;
3998 } else {
3999 # Not in the link cache, add it to the query
4000 if ( !isset( $current ) ) {
4001 $current = $ns;
4002 $query = "SELECT page_id, page_namespace, page_title";
4003 if ( $threshold > 0 ) {
4004 $query .= ', page_len, page_is_redirect';
4005 }
4006 $query .= " FROM $page WHERE (page_namespace=$ns AND page_title IN(";
4007 } elseif ( $current != $ns ) {
4008 $current = $ns;
4009 $query .= ")) OR (page_namespace=$ns AND page_title IN(";
4010 } else {
4011 $query .= ', ';
4012 }
4013
4014 $query .= $dbr->addQuotes( $this->mLinkHolders['dbkeys'][$key] );
4015 }
4016 }
4017 if ( $query ) {
4018 $query .= '))';
4019 if ( $options & RLH_FOR_UPDATE ) {
4020 $query .= ' FOR UPDATE';
4021 }
4022
4023 $res = $dbr->query( $query, $fname );
4024
4025 # Fetch data and form into an associative array
4026 # non-existent = broken
4027 # 1 = known
4028 # 2 = stub
4029 while ( $s = $dbr->fetchObject($res) ) {
4030 $title = Title::makeTitle( $s->page_namespace, $s->page_title );
4031 $pdbk = $title->getPrefixedDBkey();
4032 $linkCache->addGoodLinkObj( $s->page_id, $title );
4033 $this->mOutput->addLink( $title, $s->page_id );
4034
4035 if ( $threshold > 0 ) {
4036 $size = $s->page_len;
4037 if ( $s->page_is_redirect || $s->page_namespace != 0 || $size >= $threshold ) {
4038 $colours[$pdbk] = 1;
4039 } else {
4040 $colours[$pdbk] = 2;
4041 }
4042 } else {
4043 $colours[$pdbk] = 1;
4044 }
4045 }
4046 }
4047 wfProfileOut( $fname.'-check' );
4048
4049 # Do a second query for different language variants of links and categories
4050 if($wgContLang->hasVariants()){
4051 $linkBatch = new LinkBatch();
4052 $variantMap = array(); // maps $pdbkey_Variant => $keys (of link holders)
4053 $categoryMap = array(); // maps $category_variant => $category (dbkeys)
4054 $varCategories = array(); // category replacements oldDBkey => newDBkey
4055
4056 $categories = $this->mOutput->getCategoryLinks();
4057
4058 // Add variants of links to link batch
4059 foreach ( $this->mLinkHolders['namespaces'] as $key => $ns ) {
4060 $title = $this->mLinkHolders['titles'][$key];
4061 if ( is_null( $title ) )
4062 continue;
4063
4064 $pdbk = $title->getPrefixedDBkey();
4065 $titleText = $title->getText();
4066
4067 // generate all variants of the link title text
4068 $allTextVariants = $wgContLang->convertLinkToAllVariants($titleText);
4069
4070 // if link was not found (in first query), add all variants to query
4071 if ( !isset($colours[$pdbk]) ){
4072 foreach($allTextVariants as $textVariant){
4073 if($textVariant != $titleText){
4074 $variantTitle = Title::makeTitle( $ns, $textVariant );
4075 if(is_null($variantTitle)) continue;
4076 $linkBatch->addObj( $variantTitle );
4077 $variantMap[$variantTitle->getPrefixedDBkey()][] = $key;
4078 }
4079 }
4080 }
4081 }
4082
4083 // process categories, check if a category exists in some variant
4084 foreach( $categories as $category){
4085 $variants = $wgContLang->convertLinkToAllVariants($category);
4086 foreach($variants as $variant){
4087 if($variant != $category){
4088 $variantTitle = Title::newFromDBkey( Title::makeName(NS_CATEGORY,$variant) );
4089 if(is_null($variantTitle)) continue;
4090 $linkBatch->addObj( $variantTitle );
4091 $categoryMap[$variant] = $category;
4092 }
4093 }
4094 }
4095
4096
4097 if(!$linkBatch->isEmpty()){
4098 // construct query
4099 $titleClause = $linkBatch->constructSet('page', $dbr);
4100
4101 $variantQuery = "SELECT page_id, page_namespace, page_title";
4102 if ( $threshold > 0 ) {
4103 $variantQuery .= ', page_len, page_is_redirect';
4104 }
4105
4106 $variantQuery .= " FROM $page WHERE $titleClause";
4107 if ( $options & RLH_FOR_UPDATE ) {
4108 $variantQuery .= ' FOR UPDATE';
4109 }
4110
4111 $varRes = $dbr->query( $variantQuery, $fname );
4112
4113 // for each found variants, figure out link holders and replace
4114 while ( $s = $dbr->fetchObject($varRes) ) {
4115
4116 $variantTitle = Title::makeTitle( $s->page_namespace, $s->page_title );
4117 $varPdbk = $variantTitle->getPrefixedDBkey();
4118 $vardbk = $variantTitle->getDBkey();
4119
4120 $holderKeys = array();
4121 if(isset($variantMap[$varPdbk])){
4122 $holderKeys = $variantMap[$varPdbk];
4123 $linkCache->addGoodLinkObj( $s->page_id, $variantTitle );
4124 $this->mOutput->addLink( $variantTitle, $s->page_id );
4125 }
4126
4127 // loop over link holders
4128 foreach($holderKeys as $key){
4129 $title = $this->mLinkHolders['titles'][$key];
4130 if ( is_null( $title ) ) continue;
4131
4132 $pdbk = $title->getPrefixedDBkey();
4133
4134 if(!isset($colours[$pdbk])){
4135 // found link in some of the variants, replace the link holder data
4136 $this->mLinkHolders['titles'][$key] = $variantTitle;
4137 $this->mLinkHolders['dbkeys'][$key] = $variantTitle->getDBkey();
4138
4139 // set pdbk and colour
4140 $pdbks[$key] = $varPdbk;
4141 if ( $threshold > 0 ) {
4142 $size = $s->page_len;
4143 if ( $s->page_is_redirect || $s->page_namespace != 0 || $size >= $threshold ) {
4144 $colours[$varPdbk] = 1;
4145 } else {
4146 $colours[$varPdbk] = 2;
4147 }
4148 }
4149 else {
4150 $colours[$varPdbk] = 1;
4151 }
4152 }
4153 }
4154
4155 // check if the object is a variant of a category
4156 if(isset($categoryMap[$vardbk])){
4157 $oldkey = $categoryMap[$vardbk];
4158 if($oldkey != $vardbk)
4159 $varCategories[$oldkey]=$vardbk;
4160 }
4161 }
4162
4163 // rebuild the categories in original order (if there are replacements)
4164 if(count($varCategories)>0){
4165 $newCats = array();
4166 $originalCats = $this->mOutput->getCategories();
4167 foreach($originalCats as $cat => $sortkey){
4168 // make the replacement
4169 if( array_key_exists($cat,$varCategories) )
4170 $newCats[$varCategories[$cat]] = $sortkey;
4171 else $newCats[$cat] = $sortkey;
4172 }
4173 $this->mOutput->setCategoryLinks($newCats);
4174 }
4175 }
4176 }
4177
4178 # Construct search and replace arrays
4179 wfProfileIn( $fname.'-construct' );
4180 $replacePairs = array();
4181 foreach ( $this->mLinkHolders['namespaces'] as $key => $ns ) {
4182 $pdbk = $pdbks[$key];
4183 $searchkey = "<!--LINK $key-->";
4184 $title = $this->mLinkHolders['titles'][$key];
4185 if ( empty( $colours[$pdbk] ) ) {
4186 $linkCache->addBadLinkObj( $title );
4187 $colours[$pdbk] = 0;
4188 $this->mOutput->addLink( $title, 0 );
4189 $replacePairs[$searchkey] = $sk->makeBrokenLinkObj( $title,
4190 $this->mLinkHolders['texts'][$key],
4191 $this->mLinkHolders['queries'][$key] );
4192 } elseif ( $colours[$pdbk] == 1 ) {
4193 $replacePairs[$searchkey] = $sk->makeKnownLinkObj( $title,
4194 $this->mLinkHolders['texts'][$key],
4195 $this->mLinkHolders['queries'][$key] );
4196 } elseif ( $colours[$pdbk] == 2 ) {
4197 $replacePairs[$searchkey] = $sk->makeStubLinkObj( $title,
4198 $this->mLinkHolders['texts'][$key],
4199 $this->mLinkHolders['queries'][$key] );
4200 }
4201 }
4202 $replacer = new HashtableReplacer( $replacePairs, 1 );
4203 wfProfileOut( $fname.'-construct' );
4204
4205 # Do the thing
4206 wfProfileIn( $fname.'-replace' );
4207 $text = preg_replace_callback(
4208 '/(<!--LINK .*?-->)/',
4209 $replacer->cb(),
4210 $text);
4211
4212 wfProfileOut( $fname.'-replace' );
4213 }
4214
4215 # Now process interwiki link holders
4216 # This is quite a bit simpler than internal links
4217 if ( !empty( $this->mInterwikiLinkHolders['texts'] ) ) {
4218 wfProfileIn( $fname.'-interwiki' );
4219 # Make interwiki link HTML
4220 $replacePairs = array();
4221 foreach( $this->mInterwikiLinkHolders['texts'] as $key => $link ) {
4222 $title = $this->mInterwikiLinkHolders['titles'][$key];
4223 $replacePairs[$key] = $sk->makeLinkObj( $title, $link );
4224 }
4225 $replacer = new HashtableReplacer( $replacePairs, 1 );
4226
4227 $text = preg_replace_callback(
4228 '/<!--IWLINK (.*?)-->/',
4229 $replacer->cb(),
4230 $text );
4231 wfProfileOut( $fname.'-interwiki' );
4232 }
4233
4234 wfProfileOut( $fname );
4235 return $colours;
4236 }
4237
4238 /**
4239 * Replace <!--LINK--> link placeholders with plain text of links
4240 * (not HTML-formatted).
4241 * @param string $text
4242 * @return string
4243 */
4244 function replaceLinkHoldersText( $text ) {
4245 $fname = 'Parser::replaceLinkHoldersText';
4246 wfProfileIn( $fname );
4247
4248 $text = preg_replace_callback(
4249 '/<!--(LINK|IWLINK) (.*?)-->/',
4250 array( &$this, 'replaceLinkHoldersTextCallback' ),
4251 $text );
4252
4253 wfProfileOut( $fname );
4254 return $text;
4255 }
4256
4257 /**
4258 * @param array $matches
4259 * @return string
4260 * @private
4261 */
4262 function replaceLinkHoldersTextCallback( $matches ) {
4263 $type = $matches[1];
4264 $key = $matches[2];
4265 if( $type == 'LINK' ) {
4266 if( isset( $this->mLinkHolders['texts'][$key] ) ) {
4267 return $this->mLinkHolders['texts'][$key];
4268 }
4269 } elseif( $type == 'IWLINK' ) {
4270 if( isset( $this->mInterwikiLinkHolders['texts'][$key] ) ) {
4271 return $this->mInterwikiLinkHolders['texts'][$key];
4272 }
4273 }
4274 return $matches[0];
4275 }
4276
4277 /**
4278 * Tag hook handler for 'pre'.
4279 */
4280 function renderPreTag( $text, $attribs ) {
4281 // Backwards-compatibility hack
4282 $content = StringUtils::delimiterReplace( '<nowiki>', '</nowiki>', '$1', $text, 'i' );
4283
4284 $attribs = Sanitizer::validateTagAttributes( $attribs, 'pre' );
4285 return wfOpenElement( 'pre', $attribs ) .
4286 Xml::escapeTagsOnly( $content ) .
4287 '</pre>';
4288 }
4289
4290 /**
4291 * Renders an image gallery from a text with one line per image.
4292 * text labels may be given by using |-style alternative text. E.g.
4293 * Image:one.jpg|The number "1"
4294 * Image:tree.jpg|A tree
4295 * given as text will return the HTML of a gallery with two images,
4296 * labeled 'The number "1"' and
4297 * 'A tree'.
4298 */
4299 function renderImageGallery( $text, $params ) {
4300 $ig = new ImageGallery();
4301 $ig->setShowBytes( false );
4302 $ig->setShowFilename( false );
4303 $ig->setParsing();
4304 $ig->useSkin( $this->mOptions->getSkin() );
4305
4306 if( isset( $params['caption'] ) ) {
4307 $caption = $params['caption'];
4308 $caption = htmlspecialchars( $caption );
4309 $caption = $this->replaceInternalLinks( $caption );
4310 $ig->setCaptionHtml( $caption );
4311 }
4312
4313 $lines = explode( "\n", $text );
4314 foreach ( $lines as $line ) {
4315 # match lines like these:
4316 # Image:someimage.jpg|This is some image
4317 $matches = array();
4318 preg_match( "/^([^|]+)(\\|(.*))?$/", $line, $matches );
4319 # Skip empty lines
4320 if ( count( $matches ) == 0 ) {
4321 continue;
4322 }
4323 $tp = Title::newFromText( $matches[1] );
4324 $nt =& $tp;
4325 if( is_null( $nt ) ) {
4326 # Bogus title. Ignore these so we don't bomb out later.
4327 continue;
4328 }
4329 if ( isset( $matches[3] ) ) {
4330 $label = $matches[3];
4331 } else {
4332 $label = '';
4333 }
4334
4335 $pout = $this->parse( $label,
4336 $this->mTitle,
4337 $this->mOptions,
4338 false, // Strip whitespace...?
4339 false // Don't clear state!
4340 );
4341 $html = $pout->getText();
4342
4343 $ig->add( new Image( $nt ), $html );
4344
4345 # Only add real images (bug #5586)
4346 if ( $nt->getNamespace() == NS_IMAGE ) {
4347 $this->mOutput->addImage( $nt->getDBkey() );
4348 }
4349 }
4350 return $ig->toHTML();
4351 }
4352
4353 /**
4354 * Parse image options text and use it to make an image
4355 */
4356 function makeImage( $nt, $options ) {
4357 global $wgUseImageResize, $wgDjvuRenderer;
4358
4359 $align = '';
4360
4361 # Check if the options text is of the form "options|alt text"
4362 # Options are:
4363 # * thumbnail make a thumbnail with enlarge-icon and caption, alignment depends on lang
4364 # * left no resizing, just left align. label is used for alt= only
4365 # * right same, but right aligned
4366 # * none same, but not aligned
4367 # * ___px scale to ___ pixels width, no aligning. e.g. use in taxobox
4368 # * center center the image
4369 # * framed Keep original image size, no magnify-button.
4370
4371 $part = explode( '|', $options);
4372
4373 $mwThumb =& MagicWord::get( 'img_thumbnail' );
4374 $mwManualThumb =& MagicWord::get( 'img_manualthumb' );
4375 $mwLeft =& MagicWord::get( 'img_left' );
4376 $mwRight =& MagicWord::get( 'img_right' );
4377 $mwNone =& MagicWord::get( 'img_none' );
4378 $mwWidth =& MagicWord::get( 'img_width' );
4379 $mwCenter =& MagicWord::get( 'img_center' );
4380 $mwFramed =& MagicWord::get( 'img_framed' );
4381 $mwPage =& MagicWord::get( 'img_page' );
4382 $caption = '';
4383
4384 $width = $height = $framed = $thumb = false;
4385 $page = null;
4386 $manual_thumb = '' ;
4387
4388 foreach( $part as $val ) {
4389 if ( $wgUseImageResize && ! is_null( $mwThumb->matchVariableStartToEnd($val) ) ) {
4390 $thumb=true;
4391 } elseif ( ! is_null( $match = $mwManualThumb->matchVariableStartToEnd($val) ) ) {
4392 # use manually specified thumbnail
4393 $thumb=true;
4394 $manual_thumb = $match;
4395 } elseif ( ! is_null( $mwRight->matchVariableStartToEnd($val) ) ) {
4396 # remember to set an alignment, don't render immediately
4397 $align = 'right';
4398 } elseif ( ! is_null( $mwLeft->matchVariableStartToEnd($val) ) ) {
4399 # remember to set an alignment, don't render immediately
4400 $align = 'left';
4401 } elseif ( ! is_null( $mwCenter->matchVariableStartToEnd($val) ) ) {
4402 # remember to set an alignment, don't render immediately
4403 $align = 'center';
4404 } elseif ( ! is_null( $mwNone->matchVariableStartToEnd($val) ) ) {
4405 # remember to set an alignment, don't render immediately
4406 $align = 'none';
4407 } elseif ( isset( $wgDjvuRenderer ) && $wgDjvuRenderer
4408 && ! is_null( $match = $mwPage->matchVariableStartToEnd($val) ) ) {
4409 # Select a page in a multipage document
4410 $page = $match;
4411 } elseif ( $wgUseImageResize && !$width && ! is_null( $match = $mwWidth->matchVariableStartToEnd($val) ) ) {
4412 wfDebug( "img_width match: $match\n" );
4413 # $match is the image width in pixels
4414 $m = array();
4415 if ( preg_match( '/^([0-9]*)x([0-9]*)$/', $match, $m ) ) {
4416 $width = intval( $m[1] );
4417 $height = intval( $m[2] );
4418 } else {
4419 $width = intval($match);
4420 }
4421 } elseif ( ! is_null( $mwFramed->matchVariableStartToEnd($val) ) ) {
4422 $framed=true;
4423 } else {
4424 $caption = $val;
4425 }
4426 }
4427 # Strip bad stuff out of the alt text
4428 $alt = $this->replaceLinkHoldersText( $caption );
4429
4430 # make sure there are no placeholders in thumbnail attributes
4431 # that are later expanded to html- so expand them now and
4432 # remove the tags
4433 $alt = $this->mStripState->unstripBoth( $alt );
4434 $alt = Sanitizer::stripAllTags( $alt );
4435
4436 # Linker does the rest
4437 $sk =& $this->mOptions->getSkin();
4438 return $sk->makeImageLinkObj( $nt, $caption, $alt, $align, $width, $height, $framed, $thumb, $manual_thumb, $page );
4439 }
4440
4441 /**
4442 * Set a flag in the output object indicating that the content is dynamic and
4443 * shouldn't be cached.
4444 */
4445 function disableCache() {
4446 wfDebug( "Parser output marked as uncacheable.\n" );
4447 $this->mOutput->mCacheTime = -1;
4448 }
4449
4450 /**#@+
4451 * Callback from the Sanitizer for expanding items found in HTML attribute
4452 * values, so they can be safely tested and escaped.
4453 * @param string $text
4454 * @param array $args
4455 * @return string
4456 * @private
4457 */
4458 function attributeStripCallback( &$text, $args ) {
4459 $text = $this->replaceVariables( $text, $args );
4460 $text = $this->mStripState->unstripBoth( $text );
4461 return $text;
4462 }
4463
4464 /**#@-*/
4465
4466 /**#@+
4467 * Accessor/mutator
4468 */
4469 function Title( $x = NULL ) { return wfSetVar( $this->mTitle, $x ); }
4470 function Options( $x = NULL ) { return wfSetVar( $this->mOptions, $x ); }
4471 function OutputType( $x = NULL ) { return wfSetVar( $this->mOutputType, $x ); }
4472 /**#@-*/
4473
4474 /**#@+
4475 * Accessor
4476 */
4477 function getTags() { return array_keys( $this->mTagHooks ); }
4478 /**#@-*/
4479
4480
4481 /**
4482 * Break wikitext input into sections, and either pull or replace
4483 * some particular section's text.
4484 *
4485 * External callers should use the getSection and replaceSection methods.
4486 *
4487 * @param $text Page wikitext
4488 * @param $section Numbered section. 0 pulls the text before the first
4489 * heading; other numbers will pull the given section
4490 * along with its lower-level subsections.
4491 * @param $mode One of "get" or "replace"
4492 * @param $newtext Replacement text for section data.
4493 * @return string for "get", the extracted section text.
4494 * for "replace", the whole page with the section replaced.
4495 */
4496 private function extractSections( $text, $section, $mode, $newtext='' ) {
4497 # strip NOWIKI etc. to avoid confusion (true-parameter causes HTML
4498 # comments to be stripped as well)
4499 $stripState = new StripState;
4500
4501 $oldOutputType = $this->mOutputType;
4502 $oldOptions = $this->mOptions;
4503 $this->mOptions = new ParserOptions();
4504 $this->setOutputType( OT_WIKI );
4505
4506 $striptext = $this->strip( $text, $stripState, true );
4507
4508 $this->setOutputType( $oldOutputType );
4509 $this->mOptions = $oldOptions;
4510
4511 # now that we can be sure that no pseudo-sections are in the source,
4512 # split it up by section
4513 $uniq = preg_quote( $this->uniqPrefix(), '/' );
4514 $comment = "(?:$uniq-!--.*?QINU)";
4515 $secs = preg_split(
4516 /*
4517 "/
4518 ^(
4519 (?:$comment|<\/?noinclude>)* # Initial comments will be stripped
4520 (?:
4521 (=+) # Should this be limited to 6?
4522 .+? # Section title...
4523 \\2 # Ending = count must match start
4524 |
4525 ^
4526 <h([1-6])\b.*?>
4527 .*?
4528 <\/h\\3\s*>
4529 )
4530 (?:$comment|<\/?noinclude>|\s+)* # Trailing whitespace ok
4531 )$
4532 /mix",
4533 */
4534 "/
4535 (
4536 ^
4537 (?:$comment|<\/?noinclude>)* # Initial comments will be stripped
4538 (=+) # Should this be limited to 6?
4539 .+? # Section title...
4540 \\2 # Ending = count must match start
4541 (?:$comment|<\/?noinclude>|[ \\t]+)* # Trailing whitespace ok
4542 $
4543 |
4544 <h([1-6])\b.*?>
4545 .*?
4546 <\/h\\3\s*>
4547 )
4548 /mix",
4549 $striptext, -1,
4550 PREG_SPLIT_DELIM_CAPTURE);
4551
4552 if( $mode == "get" ) {
4553 if( $section == 0 ) {
4554 // "Section 0" returns the content before any other section.
4555 $rv = $secs[0];
4556 } else {
4557 $rv = "";
4558 }
4559 } elseif( $mode == "replace" ) {
4560 if( $section == 0 ) {
4561 $rv = $newtext . "\n\n";
4562 $remainder = true;
4563 } else {
4564 $rv = $secs[0];
4565 $remainder = false;
4566 }
4567 }
4568 $count = 0;
4569 $sectionLevel = 0;
4570 for( $index = 1; $index < count( $secs ); ) {
4571 $headerLine = $secs[$index++];
4572 if( $secs[$index] ) {
4573 // A wiki header
4574 $headerLevel = strlen( $secs[$index++] );
4575 } else {
4576 // An HTML header
4577 $index++;
4578 $headerLevel = intval( $secs[$index++] );
4579 }
4580 $content = $secs[$index++];
4581
4582 $count++;
4583 if( $mode == "get" ) {
4584 if( $count == $section ) {
4585 $rv = $headerLine . $content;
4586 $sectionLevel = $headerLevel;
4587 } elseif( $count > $section ) {
4588 if( $sectionLevel && $headerLevel > $sectionLevel ) {
4589 $rv .= $headerLine . $content;
4590 } else {
4591 // Broke out to a higher-level section
4592 break;
4593 }
4594 }
4595 } elseif( $mode == "replace" ) {
4596 if( $count < $section ) {
4597 $rv .= $headerLine . $content;
4598 } elseif( $count == $section ) {
4599 $rv .= $newtext . "\n\n";
4600 $sectionLevel = $headerLevel;
4601 } elseif( $count > $section ) {
4602 if( $headerLevel <= $sectionLevel ) {
4603 // Passed the section's sub-parts.
4604 $remainder = true;
4605 }
4606 if( $remainder ) {
4607 $rv .= $headerLine . $content;
4608 }
4609 }
4610 }
4611 }
4612 # reinsert stripped tags
4613 $rv = trim( $stripState->unstripBoth( $rv ) );
4614 return $rv;
4615 }
4616
4617 /**
4618 * This function returns the text of a section, specified by a number ($section).
4619 * A section is text under a heading like == Heading == or \<h1\>Heading\</h1\>, or
4620 * the first section before any such heading (section 0).
4621 *
4622 * If a section contains subsections, these are also returned.
4623 *
4624 * @param $text String: text to look in
4625 * @param $section Integer: section number
4626 * @return string text of the requested section
4627 */
4628 function getSection( $text, $section ) {
4629 return $this->extractSections( $text, $section, "get" );
4630 }
4631
4632 function replaceSection( $oldtext, $section, $text ) {
4633 return $this->extractSections( $oldtext, $section, "replace", $text );
4634 }
4635
4636 /**
4637 * Get the timestamp associated with the current revision, adjusted for
4638 * the default server-local timestamp
4639 */
4640 function getRevisionTimestamp() {
4641 if ( is_null( $this->mRevisionTimestamp ) ) {
4642 wfProfileIn( __METHOD__ );
4643 global $wgContLang;
4644 $dbr =& wfGetDB( DB_SLAVE );
4645 $timestamp = $dbr->selectField( 'revision', 'rev_timestamp',
4646 array( 'rev_id' => $this->mRevisionId ), __METHOD__ );
4647
4648 // Normalize timestamp to internal MW format for timezone processing.
4649 // This has the added side-effect of replacing a null value with
4650 // the current time, which gives us more sensible behavior for
4651 // previews.
4652 $timestamp = wfTimestamp( TS_MW, $timestamp );
4653
4654 // The cryptic '' timezone parameter tells to use the site-default
4655 // timezone offset instead of the user settings.
4656 //
4657 // Since this value will be saved into the parser cache, served
4658 // to other users, and potentially even used inside links and such,
4659 // it needs to be consistent for all visitors.
4660 $this->mRevisionTimestamp = $wgContLang->userAdjust( $timestamp, '' );
4661
4662 wfProfileOut( __METHOD__ );
4663 }
4664 return $this->mRevisionTimestamp;
4665 }
4666
4667 /**
4668 * Mutator for $mDefaultSort
4669 *
4670 * @param $sort New value
4671 */
4672 public function setDefaultSort( $sort ) {
4673 $this->mDefaultSort = $sort;
4674 }
4675
4676 /**
4677 * Accessor for $mDefaultSort
4678 * Will use the title/prefixed title if none is set
4679 *
4680 * @return string
4681 */
4682 public function getDefaultSort() {
4683 if( $this->mDefaultSort !== false ) {
4684 return $this->mDefaultSort;
4685 } else {
4686 return $this->mTitle->getNamespace() == NS_CATEGORY
4687 ? $this->mTitle->getText()
4688 : $this->mTitle->getPrefixedText();
4689 }
4690 }
4691
4692 }
4693
4694 /**
4695 * @todo document
4696 * @package MediaWiki
4697 */
4698 class ParserOutput
4699 {
4700 var $mText, # The output text
4701 $mLanguageLinks, # List of the full text of language links, in the order they appear
4702 $mCategories, # Map of category names to sort keys
4703 $mContainsOldMagic, # Boolean variable indicating if the input contained variables like {{CURRENTDAY}}
4704 $mCacheTime, # Time when this object was generated, or -1 for uncacheable. Used in ParserCache.
4705 $mVersion, # Compatibility check
4706 $mTitleText, # title text of the chosen language variant
4707 $mLinks, # 2-D map of NS/DBK to ID for the links in the document. ID=zero for broken.
4708 $mTemplates, # 2-D map of NS/DBK to ID for the template references. ID=zero for broken.
4709 $mImages, # DB keys of the images used, in the array key only
4710 $mExternalLinks, # External link URLs, in the key only
4711 $mHTMLtitle, # Display HTML title
4712 $mSubtitle, # Additional subtitle
4713 $mNewSection, # Show a new section link?
4714 $mNoGallery; # No gallery on category page? (__NOGALLERY__)
4715
4716 function ParserOutput( $text = '', $languageLinks = array(), $categoryLinks = array(),
4717 $containsOldMagic = false, $titletext = '' )
4718 {
4719 $this->mText = $text;
4720 $this->mLanguageLinks = $languageLinks;
4721 $this->mCategories = $categoryLinks;
4722 $this->mContainsOldMagic = $containsOldMagic;
4723 $this->mCacheTime = '';
4724 $this->mVersion = MW_PARSER_VERSION;
4725 $this->mTitleText = $titletext;
4726 $this->mLinks = array();
4727 $this->mTemplates = array();
4728 $this->mImages = array();
4729 $this->mExternalLinks = array();
4730 $this->mHTMLtitle = "" ;
4731 $this->mSubtitle = "" ;
4732 $this->mNewSection = false;
4733 $this->mNoGallery = false;
4734 }
4735
4736 function getText() { return $this->mText; }
4737 function &getLanguageLinks() { return $this->mLanguageLinks; }
4738 function getCategoryLinks() { return array_keys( $this->mCategories ); }
4739 function &getCategories() { return $this->mCategories; }
4740 function getCacheTime() { return $this->mCacheTime; }
4741 function getTitleText() { return $this->mTitleText; }
4742 function &getLinks() { return $this->mLinks; }
4743 function &getTemplates() { return $this->mTemplates; }
4744 function &getImages() { return $this->mImages; }
4745 function &getExternalLinks() { return $this->mExternalLinks; }
4746 function getNoGallery() { return $this->mNoGallery; }
4747 function getSubtitle() { return $this->mSubtitle; }
4748
4749 function containsOldMagic() { return $this->mContainsOldMagic; }
4750 function setText( $text ) { return wfSetVar( $this->mText, $text ); }
4751 function setLanguageLinks( $ll ) { return wfSetVar( $this->mLanguageLinks, $ll ); }
4752 function setCategoryLinks( $cl ) { return wfSetVar( $this->mCategories, $cl ); }
4753 function setContainsOldMagic( $com ) { return wfSetVar( $this->mContainsOldMagic, $com ); }
4754 function setCacheTime( $t ) { return wfSetVar( $this->mCacheTime, $t ); }
4755 function setTitleText( $t ) { return wfSetVar($this->mTitleText, $t); }
4756 function setSubtitle( $st ) { return wfSetVar( $this->mSubtitle, $st ); }
4757
4758 function addCategory( $c, $sort ) { $this->mCategories[$c] = $sort; }
4759 function addImage( $name ) { $this->mImages[$name] = 1; }
4760 function addLanguageLink( $t ) { $this->mLanguageLinks[] = $t; }
4761 function addExternalLink( $url ) { $this->mExternalLinks[$url] = 1; }
4762
4763 function setNewSection( $value ) {
4764 $this->mNewSection = (bool)$value;
4765 }
4766 function getNewSection() {
4767 return (bool)$this->mNewSection;
4768 }
4769
4770 function addLink( $title, $id = null ) {
4771 $ns = $title->getNamespace();
4772 $dbk = $title->getDBkey();
4773 if ( !isset( $this->mLinks[$ns] ) ) {
4774 $this->mLinks[$ns] = array();
4775 }
4776 if ( is_null( $id ) ) {
4777 $id = $title->getArticleID();
4778 }
4779 $this->mLinks[$ns][$dbk] = $id;
4780 }
4781
4782 function addTemplate( $title, $id ) {
4783 $ns = $title->getNamespace();
4784 $dbk = $title->getDBkey();
4785 if ( !isset( $this->mTemplates[$ns] ) ) {
4786 $this->mTemplates[$ns] = array();
4787 }
4788 $this->mTemplates[$ns][$dbk] = $id;
4789 }
4790
4791 /**
4792 * Return true if this cached output object predates the global or
4793 * per-article cache invalidation timestamps, or if it comes from
4794 * an incompatible older version.
4795 *
4796 * @param string $touched the affected article's last touched timestamp
4797 * @return bool
4798 * @public
4799 */
4800 function expired( $touched ) {
4801 global $wgCacheEpoch;
4802 return $this->getCacheTime() == -1 || // parser says it's uncacheable
4803 $this->getCacheTime() < $touched ||
4804 $this->getCacheTime() <= $wgCacheEpoch ||
4805 !isset( $this->mVersion ) ||
4806 version_compare( $this->mVersion, MW_PARSER_VERSION, "lt" );
4807 }
4808 }
4809
4810 /**
4811 * Set options of the Parser
4812 * @todo document
4813 * @package MediaWiki
4814 */
4815 class ParserOptions
4816 {
4817 # All variables are supposed to be private in theory, although in practise this is not the case.
4818 var $mUseTeX; # Use texvc to expand <math> tags
4819 var $mUseDynamicDates; # Use DateFormatter to format dates
4820 var $mInterwikiMagic; # Interlanguage links are removed and returned in an array
4821 var $mAllowExternalImages; # Allow external images inline
4822 var $mAllowExternalImagesFrom; # If not, any exception?
4823 var $mSkin; # Reference to the preferred skin
4824 var $mDateFormat; # Date format index
4825 var $mEditSection; # Create "edit section" links
4826 var $mNumberHeadings; # Automatically number headings
4827 var $mAllowSpecialInclusion; # Allow inclusion of special pages
4828 var $mTidy; # Ask for tidy cleanup
4829 var $mInterfaceMessage; # Which lang to call for PLURAL and GRAMMAR
4830 var $mMaxIncludeSize; # Maximum size of template expansions, in bytes
4831 var $mRemoveComments; # Remove HTML comments. ONLY APPLIES TO PREPROCESS OPERATIONS
4832
4833 var $mUser; # Stored user object, just used to initialise the skin
4834
4835 function getUseTeX() { return $this->mUseTeX; }
4836 function getUseDynamicDates() { return $this->mUseDynamicDates; }
4837 function getInterwikiMagic() { return $this->mInterwikiMagic; }
4838 function getAllowExternalImages() { return $this->mAllowExternalImages; }
4839 function getAllowExternalImagesFrom() { return $this->mAllowExternalImagesFrom; }
4840 function getEditSection() { return $this->mEditSection; }
4841 function getNumberHeadings() { return $this->mNumberHeadings; }
4842 function getAllowSpecialInclusion() { return $this->mAllowSpecialInclusion; }
4843 function getTidy() { return $this->mTidy; }
4844 function getInterfaceMessage() { return $this->mInterfaceMessage; }
4845 function getMaxIncludeSize() { return $this->mMaxIncludeSize; }
4846 function getRemoveComments() { return $this->mRemoveComments; }
4847
4848 function &getSkin() {
4849 if ( !isset( $this->mSkin ) ) {
4850 $this->mSkin = $this->mUser->getSkin();
4851 }
4852 return $this->mSkin;
4853 }
4854
4855 function getDateFormat() {
4856 if ( !isset( $this->mDateFormat ) ) {
4857 $this->mDateFormat = $this->mUser->getDatePreference();
4858 }
4859 return $this->mDateFormat;
4860 }
4861
4862 function setUseTeX( $x ) { return wfSetVar( $this->mUseTeX, $x ); }
4863 function setUseDynamicDates( $x ) { return wfSetVar( $this->mUseDynamicDates, $x ); }
4864 function setInterwikiMagic( $x ) { return wfSetVar( $this->mInterwikiMagic, $x ); }
4865 function setAllowExternalImages( $x ) { return wfSetVar( $this->mAllowExternalImages, $x ); }
4866 function setAllowExternalImagesFrom( $x ) { return wfSetVar( $this->mAllowExternalImagesFrom, $x ); }
4867 function setDateFormat( $x ) { return wfSetVar( $this->mDateFormat, $x ); }
4868 function setEditSection( $x ) { return wfSetVar( $this->mEditSection, $x ); }
4869 function setNumberHeadings( $x ) { return wfSetVar( $this->mNumberHeadings, $x ); }
4870 function setAllowSpecialInclusion( $x ) { return wfSetVar( $this->mAllowSpecialInclusion, $x ); }
4871 function setTidy( $x ) { return wfSetVar( $this->mTidy, $x); }
4872 function setSkin( $x ) { $this->mSkin = $x; }
4873 function setInterfaceMessage( $x ) { return wfSetVar( $this->mInterfaceMessage, $x); }
4874 function setMaxIncludeSize( $x ) { return wfSetVar( $this->mMaxIncludeSize, $x ); }
4875 function setRemoveComments( $x ) { return wfSetVar( $this->mRemoveComments, $x ); }
4876
4877 function ParserOptions( $user = null ) {
4878 $this->initialiseFromUser( $user );
4879 }
4880
4881 /**
4882 * Get parser options
4883 * @static
4884 */
4885 static function newFromUser( $user ) {
4886 return new ParserOptions( $user );
4887 }
4888
4889 /** Get user options */
4890 function initialiseFromUser( $userInput ) {
4891 global $wgUseTeX, $wgUseDynamicDates, $wgInterwikiMagic, $wgAllowExternalImages;
4892 global $wgAllowExternalImagesFrom, $wgAllowSpecialInclusion, $wgMaxArticleSize;
4893 $fname = 'ParserOptions::initialiseFromUser';
4894 wfProfileIn( $fname );
4895 if ( !$userInput ) {
4896 global $wgUser;
4897 if ( isset( $wgUser ) ) {
4898 $user = $wgUser;
4899 } else {
4900 $user = new User;
4901 }
4902 } else {
4903 $user =& $userInput;
4904 }
4905
4906 $this->mUser = $user;
4907
4908 $this->mUseTeX = $wgUseTeX;
4909 $this->mUseDynamicDates = $wgUseDynamicDates;
4910 $this->mInterwikiMagic = $wgInterwikiMagic;
4911 $this->mAllowExternalImages = $wgAllowExternalImages;
4912 $this->mAllowExternalImagesFrom = $wgAllowExternalImagesFrom;
4913 $this->mSkin = null; # Deferred
4914 $this->mDateFormat = null; # Deferred
4915 $this->mEditSection = true;
4916 $this->mNumberHeadings = $user->getOption( 'numberheadings' );
4917 $this->mAllowSpecialInclusion = $wgAllowSpecialInclusion;
4918 $this->mTidy = false;
4919 $this->mInterfaceMessage = false;
4920 $this->mMaxIncludeSize = $wgMaxArticleSize * 1024;
4921 $this->mRemoveComments = true;
4922 wfProfileOut( $fname );
4923 }
4924 }
4925
4926 class OnlyIncludeReplacer {
4927 var $output = '';
4928
4929 function replace( $matches ) {
4930 if ( substr( $matches[1], -1 ) == "\n" ) {
4931 $this->output .= substr( $matches[1], 0, -1 );
4932 } else {
4933 $this->output .= $matches[1];
4934 }
4935 }
4936 }
4937
4938 class StripState {
4939 var $general, $nowiki;
4940
4941 function __construct() {
4942 $this->general = new ReplacementArray;
4943 $this->nowiki = new ReplacementArray;
4944 }
4945
4946 function unstripGeneral( $text ) {
4947 wfProfileIn( __METHOD__ );
4948 $text = $this->general->replace( $text );
4949 wfProfileOut( __METHOD__ );
4950 return $text;
4951 }
4952
4953 function unstripNoWiki( $text ) {
4954 wfProfileIn( __METHOD__ );
4955 $text = $this->nowiki->replace( $text );
4956 wfProfileOut( __METHOD__ );
4957 return $text;
4958 }
4959
4960 function unstripBoth( $text ) {
4961 wfProfileIn( __METHOD__ );
4962 $text = $this->general->replace( $text );
4963 $text = $this->nowiki->replace( $text );
4964 wfProfileOut( __METHOD__ );
4965 return $text;
4966 }
4967 }
4968
4969 ?>