(bug 26497) printable=yes and handheld=yes request parameters were broken. Fixed...
[lhc/web/wiklou.git] / includes / OutputPage.php
1 <?php
2 if ( !defined( 'MEDIAWIKI' ) ) {
3 die( 1 );
4 }
5
6 /**
7 * @todo document
8 */
9 class OutputPage {
10 var $mMetatags = array(), $mKeywords = array(), $mLinktags = array();
11 var $mExtStyles = array();
12 var $mPagetitle = '', $mBodytext = '';
13
14 /**
15 * Holds the debug lines that will be outputted as comments in page source if
16 * $wgDebugComments is enabled. See also $wgShowDebug.
17 * TODO: make a getter method for this
18 */
19 public $mDebugtext = '';
20
21 var $mHTMLtitle = '', $mIsarticle = true, $mPrintable = false;
22 var $mSubtitle = '', $mRedirect = '', $mStatusCode;
23 var $mLastModified = '', $mETag = false;
24 var $mCategoryLinks = array(), $mCategories = array(), $mLanguageLinks = array();
25
26 var $mScripts = '', $mInlineStyles = '', $mLinkColours, $mPageLinkTitle = '', $mHeadItems = array();
27 var $mModules = array(), $mModuleScripts = array(), $mModuleStyles = array(), $mModuleMessages = array();
28 var $mResourceLoader;
29 var $mInlineMsg = array();
30
31 var $mTemplateIds = array();
32
33 var $mAllowUserJs;
34 var $mSuppressQuickbar = false;
35 var $mDoNothing = false;
36 var $mContainsOldMagic = 0, $mContainsNewMagic = 0;
37 var $mIsArticleRelated = true;
38 protected $mParserOptions = null; // lazy initialised, use parserOptions()
39
40 var $mFeedLinks = array();
41
42 var $mEnableClientCache = true;
43 var $mArticleBodyOnly = false;
44
45 var $mNewSectionLink = false;
46 var $mHideNewSectionLink = false;
47 var $mNoGallery = false;
48 var $mPageTitleActionText = '';
49 var $mParseWarnings = array();
50 var $mSquidMaxage = 0;
51 var $mPreventClickjacking = true;
52 var $mRevisionId = null;
53 protected $mTitle = null;
54
55 /**
56 * An array of stylesheet filenames (relative from skins path), with options
57 * for CSS media, IE conditions, and RTL/LTR direction.
58 * For internal use; add settings in the skin via $this->addStyle()
59 */
60 var $styles = array();
61
62 /**
63 * Whether to load jQuery core.
64 */
65 protected $mJQueryDone = false;
66
67 private $mIndexPolicy = 'index';
68 private $mFollowPolicy = 'follow';
69 private $mVaryHeader = array(
70 'Accept-Encoding' => array( 'list-contains=gzip' ),
71 'Cookie' => null
72 );
73
74 /**
75 * Constructor
76 * Initialise private variables
77 */
78 function __construct() {
79 global $wgAllowUserJs;
80 $this->mAllowUserJs = $wgAllowUserJs;
81 }
82
83 /**
84 * Redirect to $url rather than displaying the normal page
85 *
86 * @param $url String: URL
87 * @param $responsecode String: HTTP status code
88 */
89 public function redirect( $url, $responsecode = '302' ) {
90 # Strip newlines as a paranoia check for header injection in PHP<5.1.2
91 $this->mRedirect = str_replace( "\n", '', $url );
92 $this->mRedirectCode = $responsecode;
93 }
94
95 /**
96 * Get the URL to redirect to, or an empty string if not redirect URL set
97 *
98 * @return String
99 */
100 public function getRedirect() {
101 return $this->mRedirect;
102 }
103
104 /**
105 * Set the HTTP status code to send with the output.
106 *
107 * @param $statusCode Integer
108 * @return nothing
109 */
110 public function setStatusCode( $statusCode ) {
111 $this->mStatusCode = $statusCode;
112 }
113
114 /**
115 * Add a new <meta> tag
116 * To add an http-equiv meta tag, precede the name with "http:"
117 *
118 * @param $name tag name
119 * @param $val tag value
120 */
121 function addMeta( $name, $val ) {
122 array_push( $this->mMetatags, array( $name, $val ) );
123 }
124
125 /**
126 * Add a keyword or a list of keywords in the page header
127 *
128 * @param $text String or array of strings
129 */
130 function addKeyword( $text ) {
131 if( is_array( $text ) ) {
132 $this->mKeywords = array_merge( $this->mKeywords, $text );
133 } else {
134 array_push( $this->mKeywords, $text );
135 }
136 }
137
138 /**
139 * Add a new \<link\> tag to the page header
140 *
141 * @param $linkarr Array: associative array of attributes.
142 */
143 function addLink( $linkarr ) {
144 array_push( $this->mLinktags, $linkarr );
145 }
146
147 /**
148 * Add a new \<link\> with "rel" attribute set to "meta"
149 *
150 * @param $linkarr Array: associative array mapping attribute names to their
151 * values, both keys and values will be escaped, and the
152 * "rel" attribute will be automatically added
153 */
154 function addMetadataLink( $linkarr ) {
155 # note: buggy CC software only reads first "meta" link
156 static $haveMeta = false;
157 $linkarr['rel'] = $haveMeta ? 'alternate meta' : 'meta';
158 $this->addLink( $linkarr );
159 $haveMeta = true;
160 }
161
162 /**
163 * Add raw HTML to the list of scripts (including \<script\> tag, etc.)
164 *
165 * @param $script String: raw HTML
166 */
167 function addScript( $script ) {
168 $this->mScripts .= $script . "\n";
169 }
170
171 /**
172 * Register and add a stylesheet from an extension directory.
173 *
174 * @param $url String path to sheet. Provide either a full url (beginning
175 * with 'http', etc) or a relative path from the document root
176 * (beginning with '/'). Otherwise it behaves identically to
177 * addStyle() and draws from the /skins folder.
178 */
179 public function addExtensionStyle( $url ) {
180 array_push( $this->mExtStyles, $url );
181 }
182
183 /**
184 * Get all links added by extensions
185 *
186 * @return Array
187 */
188 function getExtStyle() {
189 return $this->mExtStyles;
190 }
191
192 /**
193 * Add a JavaScript file out of skins/common, or a given relative path.
194 *
195 * @param $file String: filename in skins/common or complete on-server path
196 * (/foo/bar.js)
197 * @param $version String: style version of the file. Defaults to $wgStyleVersion
198 */
199 public function addScriptFile( $file, $version = null ) {
200 global $wgStylePath, $wgStyleVersion;
201 // See if $file parameter is an absolute URL or begins with a slash
202 if( substr( $file, 0, 1 ) == '/' || preg_match( '#^[a-z]*://#i', $file ) ) {
203 $path = $file;
204 } else {
205 $path = "{$wgStylePath}/common/{$file}";
206 }
207 if ( is_null( $version ) )
208 $version = $wgStyleVersion;
209 $this->addScript( Html::linkedScript( wfAppendQuery( $path, $version ) ) );
210 }
211
212 /**
213 * Add a self-contained script tag with the given contents
214 *
215 * @param $script String: JavaScript text, no <script> tags
216 */
217 public function addInlineScript( $script ) {
218 $this->mScripts .= Html::inlineScript( "\n$script\n" ) . "\n";
219 }
220
221 /**
222 * Get all registered JS and CSS tags for the header.
223 *
224 * @return String
225 */
226 function getScript() {
227 return $this->mScripts . $this->getHeadItems();
228 }
229
230 /**
231 * Get the list of modules to include on this page
232 *
233 * @return Array of module names
234 */
235 public function getModules() {
236 return $this->mModules;
237 }
238
239 /**
240 * Add one or more modules recognized by the resource loader. Modules added
241 * through this function will be loaded by the resource loader when the
242 * page loads.
243 *
244 * @param $modules Mixed: module name (string) or array of module names
245 */
246 public function addModules( $modules ) {
247 $this->mModules = array_merge( $this->mModules, (array)$modules );
248 }
249
250 /**
251 * Get the list of module JS to include on this page
252 * @return array of module names
253 */
254 public function getModuleScripts() {
255 return $this->mModuleScripts;
256 }
257
258 /**
259 * Add only JS of one or more modules recognized by the resource loader. Module
260 * scripts added through this function will be loaded by the resource loader when
261 * the page loads.
262 *
263 * @param $modules Mixed: module name (string) or array of module names
264 */
265 public function addModuleScripts( $modules ) {
266 $this->mModuleScripts = array_merge( $this->mModuleScripts, (array)$modules );
267 }
268
269 /**
270 * Get the list of module CSS to include on this page
271 *
272 * @return Array of module names
273 */
274 public function getModuleStyles() {
275 return $this->mModuleStyles;
276 }
277
278 /**
279 * Add only CSS of one or more modules recognized by the resource loader. Module
280 * styles added through this function will be loaded by the resource loader when
281 * the page loads.
282 *
283 * @param $modules Mixed: module name (string) or array of module names
284 */
285 public function addModuleStyles( $modules ) {
286 $this->mModuleStyles = array_merge( $this->mModuleStyles, (array)$modules );
287 }
288
289 /**
290 * Get the list of module messages to include on this page
291 *
292 * @return Array of module names
293 */
294 public function getModuleMessages() {
295 return $this->mModuleMessages;
296 }
297
298 /**
299 * Add only messages of one or more modules recognized by the resource loader.
300 * Module messages added through this function will be loaded by the resource
301 * loader when the page loads.
302 *
303 * @param $modules Mixed: module name (string) or array of module names
304 */
305 public function addModuleMessages( $modules ) {
306 $this->mModuleMessages = array_merge( $this->mModuleMessages, (array)$modules );
307 }
308
309 /**
310 * Get all header items in a string
311 *
312 * @return String
313 */
314 function getHeadItems() {
315 $s = '';
316 foreach ( $this->mHeadItems as $item ) {
317 $s .= $item;
318 }
319 return $s;
320 }
321
322 /**
323 * Add or replace an header item to the output
324 *
325 * @param $name String: item name
326 * @param $value String: raw HTML
327 */
328 public function addHeadItem( $name, $value ) {
329 $this->mHeadItems[$name] = $value;
330 }
331
332 /**
333 * Check if the header item $name is already set
334 *
335 * @param $name String: item name
336 * @return Boolean
337 */
338 public function hasHeadItem( $name ) {
339 return isset( $this->mHeadItems[$name] );
340 }
341
342 /**
343 * Set the value of the ETag HTTP header, only used if $wgUseETag is true
344 *
345 * @param $tag String: value of "ETag" header
346 */
347 function setETag( $tag ) {
348 $this->mETag = $tag;
349 }
350
351 /**
352 * Set whether the output should only contain the body of the article,
353 * without any skin, sidebar, etc.
354 * Used e.g. when calling with "action=render".
355 *
356 * @param $only Boolean: whether to output only the body of the article
357 */
358 public function setArticleBodyOnly( $only ) {
359 $this->mArticleBodyOnly = $only;
360 }
361
362 /**
363 * Return whether the output will contain only the body of the article
364 *
365 * @return Boolean
366 */
367 public function getArticleBodyOnly() {
368 return $this->mArticleBodyOnly;
369 }
370
371 /**
372 * checkLastModified tells the client to use the client-cached page if
373 * possible. If sucessful, the OutputPage is disabled so that
374 * any future call to OutputPage->output() have no effect.
375 *
376 * Side effect: sets mLastModified for Last-Modified header
377 *
378 * @return Boolean: true iff cache-ok headers was sent.
379 */
380 public function checkLastModified( $timestamp ) {
381 global $wgCachePages, $wgCacheEpoch, $wgUser, $wgRequest;
382
383 if ( !$timestamp || $timestamp == '19700101000000' ) {
384 wfDebug( __METHOD__ . ": CACHE DISABLED, NO TIMESTAMP\n" );
385 return false;
386 }
387 if( !$wgCachePages ) {
388 wfDebug( __METHOD__ . ": CACHE DISABLED\n", false );
389 return false;
390 }
391 if( $wgUser->getOption( 'nocache' ) ) {
392 wfDebug( __METHOD__ . ": USER DISABLED CACHE\n", false );
393 return false;
394 }
395
396 $timestamp = wfTimestamp( TS_MW, $timestamp );
397 $modifiedTimes = array(
398 'page' => $timestamp,
399 'user' => $wgUser->getTouched(),
400 'epoch' => $wgCacheEpoch
401 );
402 wfRunHooks( 'OutputPageCheckLastModified', array( &$modifiedTimes ) );
403
404 $maxModified = max( $modifiedTimes );
405 $this->mLastModified = wfTimestamp( TS_RFC2822, $maxModified );
406
407 if( empty( $_SERVER['HTTP_IF_MODIFIED_SINCE'] ) ) {
408 wfDebug( __METHOD__ . ": client did not send If-Modified-Since header\n", false );
409 return false;
410 }
411
412 # Make debug info
413 $info = '';
414 foreach ( $modifiedTimes as $name => $value ) {
415 if ( $info !== '' ) {
416 $info .= ', ';
417 }
418 $info .= "$name=" . wfTimestamp( TS_ISO_8601, $value );
419 }
420
421 # IE sends sizes after the date like this:
422 # Wed, 20 Aug 2003 06:51:19 GMT; length=5202
423 # this breaks strtotime().
424 $clientHeader = preg_replace( '/;.*$/', '', $_SERVER["HTTP_IF_MODIFIED_SINCE"] );
425
426 wfSuppressWarnings(); // E_STRICT system time bitching
427 $clientHeaderTime = strtotime( $clientHeader );
428 wfRestoreWarnings();
429 if ( !$clientHeaderTime ) {
430 wfDebug( __METHOD__ . ": unable to parse the client's If-Modified-Since header: $clientHeader\n" );
431 return false;
432 }
433 $clientHeaderTime = wfTimestamp( TS_MW, $clientHeaderTime );
434
435 wfDebug( __METHOD__ . ": client sent If-Modified-Since: " .
436 wfTimestamp( TS_ISO_8601, $clientHeaderTime ) . "\n", false );
437 wfDebug( __METHOD__ . ": effective Last-Modified: " .
438 wfTimestamp( TS_ISO_8601, $maxModified ) . "\n", false );
439 if( $clientHeaderTime < $maxModified ) {
440 wfDebug( __METHOD__ . ": STALE, $info\n", false );
441 return false;
442 }
443
444 # Not modified
445 # Give a 304 response code and disable body output
446 wfDebug( __METHOD__ . ": NOT MODIFIED, $info\n", false );
447 ini_set( 'zlib.output_compression', 0 );
448 $wgRequest->response()->header( "HTTP/1.1 304 Not Modified" );
449 $this->sendCacheControl();
450 $this->disable();
451
452 // Don't output a compressed blob when using ob_gzhandler;
453 // it's technically against HTTP spec and seems to confuse
454 // Firefox when the response gets split over two packets.
455 wfClearOutputBuffers();
456
457 return true;
458 }
459
460 /**
461 * Override the last modified timestamp
462 *
463 * @param $timestamp String: new timestamp, in a format readable by
464 * wfTimestamp()
465 */
466 public function setLastModified( $timestamp ) {
467 $this->mLastModified = wfTimestamp( TS_RFC2822, $timestamp );
468 }
469
470 /**
471 * Set the robot policy for the page: <http://www.robotstxt.org/meta.html>
472 *
473 * @param $policy String: the literal string to output as the contents of
474 * the meta tag. Will be parsed according to the spec and output in
475 * standardized form.
476 * @return null
477 */
478 public function setRobotPolicy( $policy ) {
479 $policy = Article::formatRobotPolicy( $policy );
480
481 if( isset( $policy['index'] ) ) {
482 $this->setIndexPolicy( $policy['index'] );
483 }
484 if( isset( $policy['follow'] ) ) {
485 $this->setFollowPolicy( $policy['follow'] );
486 }
487 }
488
489 /**
490 * Set the index policy for the page, but leave the follow policy un-
491 * touched.
492 *
493 * @param $policy string Either 'index' or 'noindex'.
494 * @return null
495 */
496 public function setIndexPolicy( $policy ) {
497 $policy = trim( $policy );
498 if( in_array( $policy, array( 'index', 'noindex' ) ) ) {
499 $this->mIndexPolicy = $policy;
500 }
501 }
502
503 /**
504 * Set the follow policy for the page, but leave the index policy un-
505 * touched.
506 *
507 * @param $policy String: either 'follow' or 'nofollow'.
508 * @return null
509 */
510 public function setFollowPolicy( $policy ) {
511 $policy = trim( $policy );
512 if( in_array( $policy, array( 'follow', 'nofollow' ) ) ) {
513 $this->mFollowPolicy = $policy;
514 }
515 }
516
517 /**
518 * Set the new value of the "action text", this will be added to the
519 * "HTML title", separated from it with " - ".
520 *
521 * @param $text String: new value of the "action text"
522 */
523 public function setPageTitleActionText( $text ) {
524 $this->mPageTitleActionText = $text;
525 }
526
527 /**
528 * Get the value of the "action text"
529 *
530 * @return String
531 */
532 public function getPageTitleActionText() {
533 if ( isset( $this->mPageTitleActionText ) ) {
534 return $this->mPageTitleActionText;
535 }
536 }
537
538 /**
539 * "HTML title" means the contents of <title>.
540 * It is stored as plain, unescaped text and will be run through htmlspecialchars in the skin file.
541 */
542 public function setHTMLTitle( $name ) {
543 $this->mHTMLtitle = $name;
544 }
545
546 /**
547 * Return the "HTML title", i.e. the content of the <title> tag.
548 *
549 * @return String
550 */
551 public function getHTMLTitle() {
552 return $this->mHTMLtitle;
553 }
554
555 /**
556 * "Page title" means the contents of \<h1\>. It is stored as a valid HTML fragment.
557 * This function allows good tags like \<sup\> in the \<h1\> tag, but not bad tags like \<script\>.
558 * This function automatically sets \<title\> to the same content as \<h1\> but with all tags removed.
559 * Bad tags that were escaped in \<h1\> will still be escaped in \<title\>, and good tags like \<i\> will be dropped entirely.
560 */
561 public function setPageTitle( $name ) {
562 # change "<script>foo&bar</script>" to "&lt;script&gt;foo&amp;bar&lt;/script&gt;"
563 # but leave "<i>foobar</i>" alone
564 $nameWithTags = Sanitizer::normalizeCharReferences( Sanitizer::removeHTMLtags( $name ) );
565 $this->mPagetitle = $nameWithTags;
566
567 # change "<i>foo&amp;bar</i>" to "foo&bar"
568 $this->setHTMLTitle( wfMsg( 'pagetitle', Sanitizer::stripAllTags( $nameWithTags ) ) );
569 }
570
571 /**
572 * Return the "page title", i.e. the content of the \<h1\> tag.
573 *
574 * @return String
575 */
576 public function getPageTitle() {
577 return $this->mPagetitle;
578 }
579
580 /**
581 * Set the Title object to use
582 *
583 * @param $t Title object
584 */
585 public function setTitle( $t ) {
586 $this->mTitle = $t;
587 }
588
589 /**
590 * Get the Title object used in this instance
591 *
592 * @return Title
593 */
594 public function getTitle() {
595 if ( $this->mTitle instanceof Title ) {
596 return $this->mTitle;
597 } else {
598 wfDebug( __METHOD__ . " called and \$mTitle is null. Return \$wgTitle for sanity\n" );
599 global $wgTitle;
600 return $wgTitle;
601 }
602 }
603
604 /**
605 * Replace the subtile with $str
606 *
607 * @param $str String: new value of the subtitle
608 */
609 public function setSubtitle( $str ) {
610 $this->mSubtitle = /*$this->parse(*/ $str /*)*/; // @bug 2514
611 }
612
613 /**
614 * Add $str to the subtitle
615 *
616 * @param $str String to add to the subtitle
617 */
618 public function appendSubtitle( $str ) {
619 $this->mSubtitle .= /*$this->parse(*/ $str /*)*/; // @bug 2514
620 }
621
622 /**
623 * Get the subtitle
624 *
625 * @return String
626 */
627 public function getSubtitle() {
628 return $this->mSubtitle;
629 }
630
631 /**
632 * Set the page as printable, i.e. it'll be displayed with with all
633 * print styles included
634 */
635 public function setPrintable() {
636 $this->mPrintable = true;
637 }
638
639 /**
640 * Return whether the page is "printable"
641 *
642 * @return Boolean
643 */
644 public function isPrintable() {
645 return $this->mPrintable;
646 }
647
648 /**
649 * Disable output completely, i.e. calling output() will have no effect
650 */
651 public function disable() {
652 $this->mDoNothing = true;
653 }
654
655 /**
656 * Return whether the output will be completely disabled
657 *
658 * @return Boolean
659 */
660 public function isDisabled() {
661 return $this->mDoNothing;
662 }
663
664 /**
665 * Show an "add new section" link?
666 *
667 * @return Boolean
668 */
669 public function showNewSectionLink() {
670 return $this->mNewSectionLink;
671 }
672
673 /**
674 * Forcibly hide the new section link?
675 *
676 * @return Boolean
677 */
678 public function forceHideNewSectionLink() {
679 return $this->mHideNewSectionLink;
680 }
681
682 /**
683 * Add or remove feed links in the page header
684 * This is mainly kept for backward compatibility, see OutputPage::addFeedLink()
685 * for the new version
686 * @see addFeedLink()
687 *
688 * @param $show Boolean: true: add default feeds, false: remove all feeds
689 */
690 public function setSyndicated( $show = true ) {
691 if ( $show ) {
692 $this->setFeedAppendQuery( false );
693 } else {
694 $this->mFeedLinks = array();
695 }
696 }
697
698 /**
699 * Add default feeds to the page header
700 * This is mainly kept for backward compatibility, see OutputPage::addFeedLink()
701 * for the new version
702 * @see addFeedLink()
703 *
704 * @param $val String: query to append to feed links or false to output
705 * default links
706 */
707 public function setFeedAppendQuery( $val ) {
708 global $wgAdvertisedFeedTypes;
709
710 $this->mFeedLinks = array();
711
712 foreach ( $wgAdvertisedFeedTypes as $type ) {
713 $query = "feed=$type";
714 if ( is_string( $val ) ) {
715 $query .= '&' . $val;
716 }
717 $this->mFeedLinks[$type] = $this->getTitle()->getLocalURL( $query );
718 }
719 }
720
721 /**
722 * Add a feed link to the page header
723 *
724 * @param $format String: feed type, should be a key of $wgFeedClasses
725 * @param $href String: URL
726 */
727 public function addFeedLink( $format, $href ) {
728 global $wgAdvertisedFeedTypes;
729
730 if ( in_array( $format, $wgAdvertisedFeedTypes ) ) {
731 $this->mFeedLinks[$format] = $href;
732 }
733 }
734
735 /**
736 * Should we output feed links for this page?
737 * @return Boolean
738 */
739 public function isSyndicated() {
740 return count( $this->mFeedLinks ) > 0;
741 }
742
743 /**
744 * Return URLs for each supported syndication format for this page.
745 * @return array associating format keys with URLs
746 */
747 public function getSyndicationLinks() {
748 return $this->mFeedLinks;
749 }
750
751 /**
752 * Will currently always return null
753 *
754 * @return null
755 */
756 public function getFeedAppendQuery() {
757 return $this->mFeedLinksAppendQuery;
758 }
759
760 /**
761 * Set whether the displayed content is related to the source of the
762 * corresponding article on the wiki
763 * Setting true will cause the change "article related" toggle to true
764 *
765 * @param $v Boolean
766 */
767 public function setArticleFlag( $v ) {
768 $this->mIsarticle = $v;
769 if ( $v ) {
770 $this->mIsArticleRelated = $v;
771 }
772 }
773
774 /**
775 * Return whether the content displayed page is related to the source of
776 * the corresponding article on the wiki
777 *
778 * @return Boolean
779 */
780 public function isArticle() {
781 return $this->mIsarticle;
782 }
783
784 /**
785 * Set whether this page is related an article on the wiki
786 * Setting false will cause the change of "article flag" toggle to false
787 *
788 * @param $v Boolean
789 */
790 public function setArticleRelated( $v ) {
791 $this->mIsArticleRelated = $v;
792 if ( !$v ) {
793 $this->mIsarticle = false;
794 }
795 }
796
797 /**
798 * Return whether this page is related an article on the wiki
799 *
800 * @return Boolean
801 */
802 public function isArticleRelated() {
803 return $this->mIsArticleRelated;
804 }
805
806 /**
807 * Add new language links
808 *
809 * @param $newLinkArray Associative array mapping language code to the page
810 * name
811 */
812 public function addLanguageLinks( $newLinkArray ) {
813 $this->mLanguageLinks += $newLinkArray;
814 }
815
816 /**
817 * Reset the language links and add new language links
818 *
819 * @param $newLinkArray Associative array mapping language code to the page
820 * name
821 */
822 public function setLanguageLinks( $newLinkArray ) {
823 $this->mLanguageLinks = $newLinkArray;
824 }
825
826 /**
827 * Get the list of language links
828 *
829 * @return Associative array mapping language code to the page name
830 */
831 public function getLanguageLinks() {
832 return $this->mLanguageLinks;
833 }
834
835 /**
836 * Add an array of categories, with names in the keys
837 *
838 * @param $categories Associative array mapping category name to its sort key
839 */
840 public function addCategoryLinks( $categories ) {
841 global $wgUser, $wgContLang;
842
843 if ( !is_array( $categories ) || count( $categories ) == 0 ) {
844 return;
845 }
846
847 # Add the links to a LinkBatch
848 $arr = array( NS_CATEGORY => $categories );
849 $lb = new LinkBatch;
850 $lb->setArray( $arr );
851
852 # Fetch existence plus the hiddencat property
853 $dbr = wfGetDB( DB_SLAVE );
854 $pageTable = $dbr->tableName( 'page' );
855 $where = $lb->constructSet( 'page', $dbr );
856 $propsTable = $dbr->tableName( 'page_props' );
857 $sql = "SELECT page_id, page_namespace, page_title, page_len, page_is_redirect, page_latest, pp_value
858 FROM $pageTable LEFT JOIN $propsTable ON pp_propname='hiddencat' AND pp_page=page_id WHERE $where";
859 $res = $dbr->query( $sql, __METHOD__ );
860
861 # Add the results to the link cache
862 $lb->addResultToCache( LinkCache::singleton(), $res );
863
864 # Set all the values to 'normal'. This can be done with array_fill_keys in PHP 5.2.0+
865 $categories = array_combine(
866 array_keys( $categories ),
867 array_fill( 0, count( $categories ), 'normal' )
868 );
869
870 # Mark hidden categories
871 foreach ( $res as $row ) {
872 if ( isset( $row->pp_value ) ) {
873 $categories[$row->page_title] = 'hidden';
874 }
875 }
876
877 # Add the remaining categories to the skin
878 if ( wfRunHooks( 'OutputPageMakeCategoryLinks', array( &$this, $categories, &$this->mCategoryLinks ) ) ) {
879 $sk = $wgUser->getSkin();
880 foreach ( $categories as $category => $type ) {
881 $origcategory = $category;
882 $title = Title::makeTitleSafe( NS_CATEGORY, $category );
883 $wgContLang->findVariantLink( $category, $title, true );
884 if ( $category != $origcategory ) {
885 if ( array_key_exists( $category, $categories ) ) {
886 continue;
887 }
888 }
889 $text = $wgContLang->convertHtml( $title->getText() );
890 $this->mCategories[] = $title->getText();
891 $this->mCategoryLinks[$type][] = $sk->link( $title, $text );
892 }
893 }
894 }
895
896 /**
897 * Reset the category links (but not the category list) and add $categories
898 *
899 * @param $categories Associative array mapping category name to its sort key
900 */
901 public function setCategoryLinks( $categories ) {
902 $this->mCategoryLinks = array();
903 $this->addCategoryLinks( $categories );
904 }
905
906 /**
907 * Get the list of category links, in a 2-D array with the following format:
908 * $arr[$type][] = $link, where $type is either "normal" or "hidden" (for
909 * hidden categories) and $link a HTML fragment with a link to the category
910 * page
911 *
912 * @return Array
913 */
914 public function getCategoryLinks() {
915 return $this->mCategoryLinks;
916 }
917
918 /**
919 * Get the list of category names this page belongs to
920 *
921 * @return Array of strings
922 */
923 public function getCategories() {
924 return $this->mCategories;
925 }
926
927 /**
928 * Suppress the quickbar from the output, only for skin supporting
929 * the quickbar
930 */
931 public function suppressQuickbar() {
932 $this->mSuppressQuickbar = true;
933 }
934
935 /**
936 * Return whether the quickbar should be suppressed from the output
937 *
938 * @return Boolean
939 */
940 public function isQuickbarSuppressed() {
941 return $this->mSuppressQuickbar;
942 }
943
944 /**
945 * Remove user JavaScript from scripts to load
946 */
947 public function disallowUserJs() {
948 $this->mAllowUserJs = false;
949 }
950
951 /**
952 * Return whether user JavaScript is allowed for this page
953 *
954 * @return Boolean
955 */
956 public function isUserJsAllowed() {
957 return $this->mAllowUserJs;
958 }
959
960 /**
961 * Prepend $text to the body HTML
962 *
963 * @param $text String: HTML
964 */
965 public function prependHTML( $text ) {
966 $this->mBodytext = $text . $this->mBodytext;
967 }
968
969 /**
970 * Append $text to the body HTML
971 *
972 * @param $text String: HTML
973 */
974 public function addHTML( $text ) {
975 $this->mBodytext .= $text;
976 }
977
978 /**
979 * Clear the body HTML
980 */
981 public function clearHTML() {
982 $this->mBodytext = '';
983 }
984
985 /**
986 * Get the body HTML
987 *
988 * @return String: HTML
989 */
990 public function getHTML() {
991 return $this->mBodytext;
992 }
993
994 /**
995 * Add $text to the debug output
996 *
997 * @param $text String: debug text
998 */
999 public function debug( $text ) {
1000 $this->mDebugtext .= $text;
1001 }
1002
1003 /**
1004 * Get/set the ParserOptions object to use for wikitext parsing
1005 *
1006 * @param $options either the ParserOption to use or null to only get the
1007 * current ParserOption object
1008 * @return current ParserOption object
1009 */
1010 public function parserOptions( $options = null ) {
1011 if ( !$this->mParserOptions ) {
1012 $this->mParserOptions = new ParserOptions;
1013 }
1014 return wfSetVar( $this->mParserOptions, $options );
1015 }
1016
1017 /**
1018 * Set the revision ID which will be seen by the wiki text parser
1019 * for things such as embedded {{REVISIONID}} variable use.
1020 *
1021 * @param $revid Mixed: an positive integer, or null
1022 * @return Mixed: previous value
1023 */
1024 public function setRevisionId( $revid ) {
1025 $val = is_null( $revid ) ? null : intval( $revid );
1026 return wfSetVar( $this->mRevisionId, $val );
1027 }
1028
1029 /**
1030 * Get the current revision ID
1031 *
1032 * @return Integer
1033 */
1034 public function getRevisionId() {
1035 return $this->mRevisionId;
1036 }
1037
1038 /**
1039 * Convert wikitext to HTML and add it to the buffer
1040 * Default assumes that the current page title will be used.
1041 *
1042 * @param $text String
1043 * @param $linestart Boolean: is this the start of a line?
1044 */
1045 public function addWikiText( $text, $linestart = true ) {
1046 $title = $this->getTitle(); // Work arround E_STRICT
1047 $this->addWikiTextTitle( $text, $title, $linestart );
1048 }
1049
1050 /**
1051 * Add wikitext with a custom Title object
1052 *
1053 * @param $text String: wikitext
1054 * @param $title Title object
1055 * @param $linestart Boolean: is this the start of a line?
1056 */
1057 public function addWikiTextWithTitle( $text, &$title, $linestart = true ) {
1058 $this->addWikiTextTitle( $text, $title, $linestart );
1059 }
1060
1061 /**
1062 * Add wikitext with a custom Title object and
1063 *
1064 * @param $text String: wikitext
1065 * @param $title Title object
1066 * @param $linestart Boolean: is this the start of a line?
1067 */
1068 function addWikiTextTitleTidy( $text, &$title, $linestart = true ) {
1069 $this->addWikiTextTitle( $text, $title, $linestart, true );
1070 }
1071
1072 /**
1073 * Add wikitext with tidy enabled
1074 *
1075 * @param $text String: wikitext
1076 * @param $linestart Boolean: is this the start of a line?
1077 */
1078 public function addWikiTextTidy( $text, $linestart = true ) {
1079 $title = $this->getTitle();
1080 $this->addWikiTextTitleTidy( $text, $title, $linestart );
1081 }
1082
1083 /**
1084 * Add wikitext with a custom Title object
1085 *
1086 * @param $text String: wikitext
1087 * @param $title Title object
1088 * @param $linestart Boolean: is this the start of a line?
1089 * @param $tidy Boolean: whether to use tidy
1090 */
1091 public function addWikiTextTitle( $text, &$title, $linestart, $tidy = false ) {
1092 global $wgParser;
1093
1094 wfProfileIn( __METHOD__ );
1095
1096 wfIncrStats( 'pcache_not_possible' );
1097
1098 $popts = $this->parserOptions();
1099 $oldTidy = $popts->setTidy( $tidy );
1100
1101 $parserOutput = $wgParser->parse(
1102 $text, $title, $popts,
1103 $linestart, true, $this->mRevisionId
1104 );
1105
1106 $popts->setTidy( $oldTidy );
1107
1108 $this->addParserOutput( $parserOutput );
1109
1110 wfProfileOut( __METHOD__ );
1111 }
1112
1113 /**
1114 * Add a ParserOutput object, but without Html
1115 *
1116 * @param $parserOutput ParserOutput object
1117 */
1118 public function addParserOutputNoText( &$parserOutput ) {
1119 $this->mLanguageLinks += $parserOutput->getLanguageLinks();
1120 $this->addCategoryLinks( $parserOutput->getCategories() );
1121 $this->mNewSectionLink = $parserOutput->getNewSection();
1122 $this->mHideNewSectionLink = $parserOutput->getHideNewSection();
1123
1124 $this->mParseWarnings = $parserOutput->getWarnings();
1125 if ( !$parserOutput->isCacheable() ) {
1126 $this->enableClientCache( false );
1127 }
1128 $this->mNoGallery = $parserOutput->getNoGallery();
1129 $this->mHeadItems = array_merge( $this->mHeadItems, $parserOutput->getHeadItems() );
1130 $this->addModules( $parserOutput->getModules() );
1131 // Versioning...
1132 foreach ( (array)$parserOutput->mTemplateIds as $ns => $dbks ) {
1133 if ( isset( $this->mTemplateIds[$ns] ) ) {
1134 $this->mTemplateIds[$ns] = $dbks + $this->mTemplateIds[$ns];
1135 } else {
1136 $this->mTemplateIds[$ns] = $dbks;
1137 }
1138 }
1139
1140 // Hooks registered in the object
1141 global $wgParserOutputHooks;
1142 foreach ( $parserOutput->getOutputHooks() as $hookInfo ) {
1143 list( $hookName, $data ) = $hookInfo;
1144 if ( isset( $wgParserOutputHooks[$hookName] ) ) {
1145 call_user_func( $wgParserOutputHooks[$hookName], $this, $parserOutput, $data );
1146 }
1147 }
1148
1149 wfRunHooks( 'OutputPageParserOutput', array( &$this, $parserOutput ) );
1150 }
1151
1152 /**
1153 * Add a ParserOutput object
1154 *
1155 * @param $parserOutput ParserOutput
1156 */
1157 function addParserOutput( &$parserOutput ) {
1158 $this->addParserOutputNoText( $parserOutput );
1159 $text = $parserOutput->getText();
1160 wfRunHooks( 'OutputPageBeforeHTML', array( &$this, &$text ) );
1161 $this->addHTML( $text );
1162 }
1163
1164
1165 /**
1166 * Add the output of a QuickTemplate to the output buffer
1167 *
1168 * @param $template QuickTemplate
1169 */
1170 public function addTemplate( &$template ) {
1171 ob_start();
1172 $template->execute();
1173 $this->addHTML( ob_get_contents() );
1174 ob_end_clean();
1175 }
1176
1177 /**
1178 * Parse wikitext and return the HTML.
1179 *
1180 * @param $text String
1181 * @param $linestart Boolean: is this the start of a line?
1182 * @param $interface Boolean: use interface language ($wgLang instead of
1183 * $wgContLang) while parsing language sensitive magic
1184 * words like GRAMMAR and PLURAL
1185 * @param $language Language object: target language object, will override
1186 * $interface
1187 * @return String: HTML
1188 */
1189 public function parse( $text, $linestart = true, $interface = false, $language = null ) {
1190 global $wgParser;
1191
1192 if( is_null( $this->getTitle() ) ) {
1193 throw new MWException( 'Empty $mTitle in ' . __METHOD__ );
1194 }
1195
1196 $popts = $this->parserOptions();
1197 if ( $interface ) {
1198 $popts->setInterfaceMessage( true );
1199 }
1200 if ( $language !== null ) {
1201 $oldLang = $popts->setTargetLanguage( $language );
1202 }
1203
1204 $parserOutput = $wgParser->parse(
1205 $text, $this->getTitle(), $popts,
1206 $linestart, true, $this->mRevisionId
1207 );
1208
1209 if ( $interface ) {
1210 $popts->setInterfaceMessage( false );
1211 }
1212 if ( $language !== null ) {
1213 $popts->setTargetLanguage( $oldLang );
1214 }
1215
1216 return $parserOutput->getText();
1217 }
1218
1219 /**
1220 * Parse wikitext, strip paragraphs, and return the HTML.
1221 *
1222 * @param $text String
1223 * @param $linestart Boolean: is this the start of a line?
1224 * @param $interface Boolean: use interface language ($wgLang instead of
1225 * $wgContLang) while parsing language sensitive magic
1226 * words like GRAMMAR and PLURAL
1227 * @return String: HTML
1228 */
1229 public function parseInline( $text, $linestart = true, $interface = false ) {
1230 $parsed = $this->parse( $text, $linestart, $interface );
1231
1232 $m = array();
1233 if ( preg_match( '/^<p>(.*)\n?<\/p>\n?/sU', $parsed, $m ) ) {
1234 $parsed = $m[1];
1235 }
1236
1237 return $parsed;
1238 }
1239
1240 /**
1241 * Set the value of the "s-maxage" part of the "Cache-control" HTTP header
1242 *
1243 * @param $maxage Integer: maximum cache time on the Squid, in seconds.
1244 */
1245 public function setSquidMaxage( $maxage ) {
1246 $this->mSquidMaxage = $maxage;
1247 }
1248
1249 /**
1250 * Use enableClientCache(false) to force it to send nocache headers
1251 *
1252 * @param $state ??
1253 */
1254 public function enableClientCache( $state ) {
1255 return wfSetVar( $this->mEnableClientCache, $state );
1256 }
1257
1258 /**
1259 * Get the list of cookies that will influence on the cache
1260 *
1261 * @return Array
1262 */
1263 function getCacheVaryCookies() {
1264 global $wgCookiePrefix, $wgCacheVaryCookies;
1265 static $cookies;
1266 if ( $cookies === null ) {
1267 $cookies = array_merge(
1268 array(
1269 "{$wgCookiePrefix}Token",
1270 "{$wgCookiePrefix}LoggedOut",
1271 session_name()
1272 ),
1273 $wgCacheVaryCookies
1274 );
1275 wfRunHooks( 'GetCacheVaryCookies', array( $this, &$cookies ) );
1276 }
1277 return $cookies;
1278 }
1279
1280 /**
1281 * Return whether this page is not cacheable because "useskin" or "uselang"
1282 * URL parameters were passed.
1283 *
1284 * @return Boolean
1285 */
1286 function uncacheableBecauseRequestVars() {
1287 global $wgRequest;
1288 return $wgRequest->getText( 'useskin', false ) === false
1289 && $wgRequest->getText( 'uselang', false ) === false;
1290 }
1291
1292 /**
1293 * Check if the request has a cache-varying cookie header
1294 * If it does, it's very important that we don't allow public caching
1295 *
1296 * @return Boolean
1297 */
1298 function haveCacheVaryCookies() {
1299 global $wgRequest;
1300 $cookieHeader = $wgRequest->getHeader( 'cookie' );
1301 if ( $cookieHeader === false ) {
1302 return false;
1303 }
1304 $cvCookies = $this->getCacheVaryCookies();
1305 foreach ( $cvCookies as $cookieName ) {
1306 # Check for a simple string match, like the way squid does it
1307 if ( strpos( $cookieHeader, $cookieName ) !== false ) {
1308 wfDebug( __METHOD__ . ": found $cookieName\n" );
1309 return true;
1310 }
1311 }
1312 wfDebug( __METHOD__ . ": no cache-varying cookies found\n" );
1313 return false;
1314 }
1315
1316 /**
1317 * Add an HTTP header that will influence on the cache
1318 *
1319 * @param $header String: header name
1320 * @param $option either an Array or null
1321 */
1322 public function addVaryHeader( $header, $option = null ) {
1323 if ( !array_key_exists( $header, $this->mVaryHeader ) ) {
1324 $this->mVaryHeader[$header] = $option;
1325 } elseif( is_array( $option ) ) {
1326 if( is_array( $this->mVaryHeader[$header] ) ) {
1327 $this->mVaryHeader[$header] = array_merge( $this->mVaryHeader[$header], $option );
1328 } else {
1329 $this->mVaryHeader[$header] = $option;
1330 }
1331 }
1332 $this->mVaryHeader[$header] = array_unique( $this->mVaryHeader[$header] );
1333 }
1334
1335 /**
1336 * Get a complete X-Vary-Options header
1337 *
1338 * @return String
1339 */
1340 public function getXVO() {
1341 $cvCookies = $this->getCacheVaryCookies();
1342
1343 $cookiesOption = array();
1344 foreach ( $cvCookies as $cookieName ) {
1345 $cookiesOption[] = 'string-contains=' . $cookieName;
1346 }
1347 $this->addVaryHeader( 'Cookie', $cookiesOption );
1348
1349 $headers = array();
1350 foreach( $this->mVaryHeader as $header => $option ) {
1351 $newheader = $header;
1352 if( is_array( $option ) ) {
1353 $newheader .= ';' . implode( ';', $option );
1354 }
1355 $headers[] = $newheader;
1356 }
1357 $xvo = 'X-Vary-Options: ' . implode( ',', $headers );
1358
1359 return $xvo;
1360 }
1361
1362 /**
1363 * bug 21672: Add Accept-Language to Vary and XVO headers
1364 * if there's no 'variant' parameter existed in GET.
1365 *
1366 * For example:
1367 * /w/index.php?title=Main_page should always be served; but
1368 * /w/index.php?title=Main_page&variant=zh-cn should never be served.
1369 */
1370 function addAcceptLanguage() {
1371 global $wgRequest, $wgContLang;
1372 if( !$wgRequest->getCheck( 'variant' ) && $wgContLang->hasVariants() ) {
1373 $variants = $wgContLang->getVariants();
1374 $aloption = array();
1375 foreach ( $variants as $variant ) {
1376 if( $variant === $wgContLang->getCode() ) {
1377 continue;
1378 } else {
1379 $aloption[] = 'string-contains=' . $variant;
1380
1381 // IE and some other browsers use another form of language code
1382 // in their Accept-Language header, like "zh-CN" or "zh-TW".
1383 // We should handle these too.
1384 $ievariant = explode( '-', $variant );
1385 if ( count( $ievariant ) == 2 ) {
1386 $ievariant[1] = strtoupper( $ievariant[1] );
1387 $ievariant = implode( '-', $ievariant );
1388 $aloption[] = 'string-contains=' . $ievariant;
1389 }
1390 }
1391 }
1392 $this->addVaryHeader( 'Accept-Language', $aloption );
1393 }
1394 }
1395
1396 /**
1397 * Set a flag which will cause an X-Frame-Options header appropriate for
1398 * edit pages to be sent. The header value is controlled by
1399 * $wgEditPageFrameOptions.
1400 *
1401 * This is the default for special pages. If you display a CSRF-protected
1402 * form on an ordinary view page, then you need to call this function.
1403 */
1404 public function preventClickjacking( $enable = true ) {
1405 $this->mPreventClickjacking = $enable;
1406 }
1407
1408 /**
1409 * Turn off frame-breaking. Alias for $this->preventClickjacking(false).
1410 * This can be called from pages which do not contain any CSRF-protected
1411 * HTML form.
1412 */
1413 public function allowClickjacking() {
1414 $this->mPreventClickjacking = false;
1415 }
1416
1417 /**
1418 * Get the X-Frame-Options header value (without the name part), or false
1419 * if there isn't one. This is used by Skin to determine whether to enable
1420 * JavaScript frame-breaking, for clients that don't support X-Frame-Options.
1421 */
1422 public function getFrameOptions() {
1423 global $wgBreakFrames, $wgEditPageFrameOptions;
1424 if ( $wgBreakFrames ) {
1425 return 'DENY';
1426 } elseif ( $this->mPreventClickjacking && $wgEditPageFrameOptions ) {
1427 return $wgEditPageFrameOptions;
1428 }
1429 }
1430
1431 /**
1432 * Send cache control HTTP headers
1433 */
1434 public function sendCacheControl() {
1435 global $wgUseSquid, $wgUseESI, $wgUseETag, $wgSquidMaxage, $wgRequest, $wgUseXVO;
1436
1437 $response = $wgRequest->response();
1438 if ( $wgUseETag && $this->mETag ) {
1439 $response->header( "ETag: $this->mETag" );
1440 }
1441
1442 $this->addAcceptLanguage();
1443
1444 # don't serve compressed data to clients who can't handle it
1445 # maintain different caches for logged-in users and non-logged in ones
1446 $response->header( 'Vary: ' . join( ', ', array_keys( $this->mVaryHeader ) ) );
1447
1448 if ( $wgUseXVO ) {
1449 # Add an X-Vary-Options header for Squid with Wikimedia patches
1450 $response->header( $this->getXVO() );
1451 }
1452
1453 if( !$this->uncacheableBecauseRequestVars() && $this->mEnableClientCache ) {
1454 if(
1455 $wgUseSquid && session_id() == '' && !$this->isPrintable() &&
1456 $this->mSquidMaxage != 0 && !$this->haveCacheVaryCookies()
1457 )
1458 {
1459 if ( $wgUseESI ) {
1460 # We'll purge the proxy cache explicitly, but require end user agents
1461 # to revalidate against the proxy on each visit.
1462 # Surrogate-Control controls our Squid, Cache-Control downstream caches
1463 wfDebug( __METHOD__ . ": proxy caching with ESI; {$this->mLastModified} **\n", false );
1464 # start with a shorter timeout for initial testing
1465 # header( 'Surrogate-Control: max-age=2678400+2678400, content="ESI/1.0"');
1466 $response->header( 'Surrogate-Control: max-age='.$wgSquidMaxage.'+'.$this->mSquidMaxage.', content="ESI/1.0"');
1467 $response->header( 'Cache-Control: s-maxage=0, must-revalidate, max-age=0' );
1468 } else {
1469 # We'll purge the proxy cache for anons explicitly, but require end user agents
1470 # to revalidate against the proxy on each visit.
1471 # IMPORTANT! The Squid needs to replace the Cache-Control header with
1472 # Cache-Control: s-maxage=0, must-revalidate, max-age=0
1473 wfDebug( __METHOD__ . ": local proxy caching; {$this->mLastModified} **\n", false );
1474 # start with a shorter timeout for initial testing
1475 # header( "Cache-Control: s-maxage=2678400, must-revalidate, max-age=0" );
1476 $response->header( 'Cache-Control: s-maxage='.$this->mSquidMaxage.', must-revalidate, max-age=0' );
1477 }
1478 } else {
1479 # We do want clients to cache if they can, but they *must* check for updates
1480 # on revisiting the page.
1481 wfDebug( __METHOD__ . ": private caching; {$this->mLastModified} **\n", false );
1482 $response->header( 'Expires: ' . gmdate( 'D, d M Y H:i:s', 0 ) . ' GMT' );
1483 $response->header( "Cache-Control: private, must-revalidate, max-age=0" );
1484 }
1485 if($this->mLastModified) {
1486 $response->header( "Last-Modified: {$this->mLastModified}" );
1487 }
1488 } else {
1489 wfDebug( __METHOD__ . ": no caching **\n", false );
1490
1491 # In general, the absence of a last modified header should be enough to prevent
1492 # the client from using its cache. We send a few other things just to make sure.
1493 $response->header( 'Expires: ' . gmdate( 'D, d M Y H:i:s', 0 ) . ' GMT' );
1494 $response->header( 'Cache-Control: no-cache, no-store, max-age=0, must-revalidate' );
1495 $response->header( 'Pragma: no-cache' );
1496 }
1497 }
1498
1499 /**
1500 * Get the message associed with the HTTP response code $code
1501 *
1502 * @param $code Integer: status code
1503 * @return String or null: message or null if $code is not in the list of
1504 * messages
1505 */
1506 public static function getStatusMessage( $code ) {
1507 static $statusMessage = array(
1508 100 => 'Continue',
1509 101 => 'Switching Protocols',
1510 102 => 'Processing',
1511 200 => 'OK',
1512 201 => 'Created',
1513 202 => 'Accepted',
1514 203 => 'Non-Authoritative Information',
1515 204 => 'No Content',
1516 205 => 'Reset Content',
1517 206 => 'Partial Content',
1518 207 => 'Multi-Status',
1519 300 => 'Multiple Choices',
1520 301 => 'Moved Permanently',
1521 302 => 'Found',
1522 303 => 'See Other',
1523 304 => 'Not Modified',
1524 305 => 'Use Proxy',
1525 307 => 'Temporary Redirect',
1526 400 => 'Bad Request',
1527 401 => 'Unauthorized',
1528 402 => 'Payment Required',
1529 403 => 'Forbidden',
1530 404 => 'Not Found',
1531 405 => 'Method Not Allowed',
1532 406 => 'Not Acceptable',
1533 407 => 'Proxy Authentication Required',
1534 408 => 'Request Timeout',
1535 409 => 'Conflict',
1536 410 => 'Gone',
1537 411 => 'Length Required',
1538 412 => 'Precondition Failed',
1539 413 => 'Request Entity Too Large',
1540 414 => 'Request-URI Too Large',
1541 415 => 'Unsupported Media Type',
1542 416 => 'Request Range Not Satisfiable',
1543 417 => 'Expectation Failed',
1544 422 => 'Unprocessable Entity',
1545 423 => 'Locked',
1546 424 => 'Failed Dependency',
1547 500 => 'Internal Server Error',
1548 501 => 'Not Implemented',
1549 502 => 'Bad Gateway',
1550 503 => 'Service Unavailable',
1551 504 => 'Gateway Timeout',
1552 505 => 'HTTP Version Not Supported',
1553 507 => 'Insufficient Storage'
1554 );
1555 return isset( $statusMessage[$code] ) ? $statusMessage[$code] : null;
1556 }
1557
1558 /**
1559 * Finally, all the text has been munged and accumulated into
1560 * the object, let's actually output it:
1561 */
1562 public function output() {
1563 global $wgUser, $wgOutputEncoding, $wgRequest;
1564 global $wgLanguageCode, $wgDebugRedirects, $wgMimeType;
1565 global $wgUseAjax, $wgAjaxWatch;
1566 global $wgEnableMWSuggest, $wgUniversalEditButton;
1567
1568 if( $this->mDoNothing ) {
1569 return;
1570 }
1571 wfProfileIn( __METHOD__ );
1572 if ( $this->mRedirect != '' ) {
1573 # Standards require redirect URLs to be absolute
1574 $this->mRedirect = wfExpandUrl( $this->mRedirect );
1575 if( $this->mRedirectCode == '301' || $this->mRedirectCode == '303' ) {
1576 if( !$wgDebugRedirects ) {
1577 $message = self::getStatusMessage( $this->mRedirectCode );
1578 $wgRequest->response()->header( "HTTP/1.1 {$this->mRedirectCode} $message" );
1579 }
1580 $this->mLastModified = wfTimestamp( TS_RFC2822 );
1581 }
1582 $this->sendCacheControl();
1583
1584 $wgRequest->response()->header( "Content-Type: text/html; charset=utf-8" );
1585 if( $wgDebugRedirects ) {
1586 $url = htmlspecialchars( $this->mRedirect );
1587 print "<html>\n<head>\n<title>Redirect</title>\n</head>\n<body>\n";
1588 print "<p>Location: <a href=\"$url\">$url</a></p>\n";
1589 print "</body>\n</html>\n";
1590 } else {
1591 $wgRequest->response()->header( 'Location: ' . $this->mRedirect );
1592 }
1593 wfProfileOut( __METHOD__ );
1594 return;
1595 } elseif ( $this->mStatusCode ) {
1596 $message = self::getStatusMessage( $this->mStatusCode );
1597 if ( $message ) {
1598 $wgRequest->response()->header( 'HTTP/1.1 ' . $this->mStatusCode . ' ' . $message );
1599 }
1600 }
1601
1602 $sk = $wgUser->getSkin();
1603
1604 // Add base resources
1605 $this->addModules( array( 'mediawiki.legacy.wikibits', 'mediawiki.util' ) );
1606
1607 // Add various resources if required
1608 if ( $wgUseAjax ) {
1609 $this->addModules( 'mediawiki.legacy.ajax' );
1610
1611 wfRunHooks( 'AjaxAddScript', array( &$this ) );
1612
1613 if( $wgAjaxWatch && $wgUser->isLoggedIn() ) {
1614 $this->addModules( 'mediawiki.action.watch.ajax' );
1615 }
1616
1617 if ( $wgEnableMWSuggest && !$wgUser->getOption( 'disablesuggest', false ) ) {
1618 $this->addModules( 'mediawiki.legacy.mwsuggest' );
1619 }
1620 }
1621
1622 if( $wgUser->getBoolOption( 'editsectiononrightclick' ) ) {
1623 $this->addModules( 'mediawiki.action.view.rightClickEdit' );
1624 }
1625
1626 if( $wgUniversalEditButton ) {
1627 if( $this->isArticleRelated() && $this->getTitle() && $this->getTitle()->quickUserCan( 'edit' )
1628 && ( $this->getTitle()->exists() || $this->getTitle()->quickUserCan( 'create' ) ) ) {
1629 // Original UniversalEditButton
1630 $msg = wfMsg( 'edit' );
1631 $this->addLink( array(
1632 'rel' => 'alternate',
1633 'type' => 'application/x-wiki',
1634 'title' => $msg,
1635 'href' => $this->getTitle()->getLocalURL( 'action=edit' )
1636 ) );
1637 // Alternate edit link
1638 $this->addLink( array(
1639 'rel' => 'edit',
1640 'title' => $msg,
1641 'href' => $this->getTitle()->getLocalURL( 'action=edit' )
1642 ) );
1643 }
1644 }
1645
1646
1647 # Buffer output; final headers may depend on later processing
1648 ob_start();
1649
1650 $wgRequest->response()->header( "Content-type: $wgMimeType; charset={$wgOutputEncoding}" );
1651 $wgRequest->response()->header( 'Content-language: ' . $wgLanguageCode );
1652
1653 // Prevent framing, if requested
1654 $frameOptions = $this->getFrameOptions();
1655 if ( $frameOptions ) {
1656 $wgRequest->response()->header( "X-Frame-Options: $frameOptions" );
1657 }
1658
1659 if ( $this->mArticleBodyOnly ) {
1660 $this->out( $this->mBodytext );
1661 } else {
1662 // Hook that allows last minute changes to the output page, e.g.
1663 // adding of CSS or Javascript by extensions.
1664 wfRunHooks( 'BeforePageDisplay', array( &$this, &$sk ) );
1665
1666 wfProfileIn( 'Output-skin' );
1667 $sk->outputPage( $this );
1668 wfProfileOut( 'Output-skin' );
1669 }
1670
1671 $this->sendCacheControl();
1672 ob_end_flush();
1673 wfProfileOut( __METHOD__ );
1674 }
1675
1676 /**
1677 * Actually output something with print(). Performs an iconv to the
1678 * output encoding, if needed.
1679 *
1680 * @param $ins String: the string to output
1681 */
1682 public function out( $ins ) {
1683 global $wgInputEncoding, $wgOutputEncoding, $wgContLang;
1684 if ( 0 == strcmp( $wgInputEncoding, $wgOutputEncoding ) ) {
1685 $outs = $ins;
1686 } else {
1687 $outs = $wgContLang->iconv( $wgInputEncoding, $wgOutputEncoding, $ins );
1688 if ( false === $outs ) {
1689 $outs = $ins;
1690 }
1691 }
1692 print $outs;
1693 }
1694
1695 /**
1696 * Produce a "user is blocked" page.
1697 *
1698 * @param $return Boolean: whether to have a "return to $wgTitle" message or not.
1699 * @return nothing
1700 */
1701 function blockedPage( $return = true ) {
1702 global $wgUser, $wgContLang, $wgLang;
1703
1704 $this->setPageTitle( wfMsg( 'blockedtitle' ) );
1705 $this->setRobotPolicy( 'noindex,nofollow' );
1706 $this->setArticleRelated( false );
1707
1708 $name = User::whoIs( $wgUser->blockedBy() );
1709 $reason = $wgUser->blockedFor();
1710 if( $reason == '' ) {
1711 $reason = wfMsg( 'blockednoreason' );
1712 }
1713 $blockTimestamp = $wgLang->timeanddate(
1714 wfTimestamp( TS_MW, $wgUser->mBlock->mTimestamp ), true
1715 );
1716 $ip = wfGetIP();
1717
1718 $link = '[[' . $wgContLang->getNsText( NS_USER ) . ":{$name}|{$name}]]";
1719
1720 $blockid = $wgUser->mBlock->mId;
1721
1722 $blockExpiry = $wgUser->mBlock->mExpiry;
1723 if ( $blockExpiry == 'infinity' ) {
1724 // Entry in database (table ipblocks) is 'infinity' but 'ipboptions' uses 'infinite' or 'indefinite'
1725 // Search for localization in 'ipboptions'
1726 $scBlockExpiryOptions = wfMsg( 'ipboptions' );
1727 foreach ( explode( ',', $scBlockExpiryOptions ) as $option ) {
1728 if ( strpos( $option, ':' ) === false ) {
1729 continue;
1730 }
1731 list( $show, $value ) = explode( ':', $option );
1732 if ( $value == 'infinite' || $value == 'indefinite' ) {
1733 $blockExpiry = $show;
1734 break;
1735 }
1736 }
1737 } else {
1738 $blockExpiry = $wgLang->timeanddate(
1739 wfTimestamp( TS_MW, $blockExpiry ),
1740 true
1741 );
1742 }
1743
1744 if ( $wgUser->mBlock->mAuto ) {
1745 $msg = 'autoblockedtext';
1746 } else {
1747 $msg = 'blockedtext';
1748 }
1749
1750 /* $ip returns who *is* being blocked, $intended contains who was meant to be blocked.
1751 * This could be a username, an IP range, or a single IP. */
1752 $intended = $wgUser->mBlock->mAddress;
1753
1754 $this->addWikiMsg(
1755 $msg, $link, $reason, $ip, $name, $blockid, $blockExpiry,
1756 $intended, $blockTimestamp
1757 );
1758
1759 # Don't auto-return to special pages
1760 if( $return ) {
1761 $return = $this->getTitle()->getNamespace() > -1 ? $this->getTitle() : null;
1762 $this->returnToMain( null, $return );
1763 }
1764 }
1765
1766 /**
1767 * Output a standard error page
1768 *
1769 * @param $title String: message key for page title
1770 * @param $msg String: message key for page text
1771 * @param $params Array: message parameters
1772 */
1773 public function showErrorPage( $title, $msg, $params = array() ) {
1774 if ( $this->getTitle() ) {
1775 $this->mDebugtext .= 'Original title: ' . $this->getTitle()->getPrefixedText() . "\n";
1776 }
1777 $this->setPageTitle( wfMsg( $title ) );
1778 $this->setHTMLTitle( wfMsg( 'errorpagetitle' ) );
1779 $this->setRobotPolicy( 'noindex,nofollow' );
1780 $this->setArticleRelated( false );
1781 $this->enableClientCache( false );
1782 $this->mRedirect = '';
1783 $this->mBodytext = '';
1784
1785 $this->addWikiMsgArray( $msg, $params );
1786
1787 $this->returnToMain();
1788 }
1789
1790 /**
1791 * Output a standard permission error page
1792 *
1793 * @param $errors Array: error message keys
1794 * @param $action String: action that was denied or null if unknown
1795 */
1796 public function showPermissionsErrorPage( $errors, $action = null ) {
1797 $this->mDebugtext .= 'Original title: ' .
1798 $this->getTitle()->getPrefixedText() . "\n";
1799 $this->setPageTitle( wfMsg( 'permissionserrors' ) );
1800 $this->setHTMLTitle( wfMsg( 'permissionserrors' ) );
1801 $this->setRobotPolicy( 'noindex,nofollow' );
1802 $this->setArticleRelated( false );
1803 $this->enableClientCache( false );
1804 $this->mRedirect = '';
1805 $this->mBodytext = '';
1806 $this->addWikiText( $this->formatPermissionsErrorMessage( $errors, $action ) );
1807 }
1808
1809 /**
1810 * Display an error page indicating that a given version of MediaWiki is
1811 * required to use it
1812 *
1813 * @param $version Mixed: the version of MediaWiki needed to use the page
1814 */
1815 public function versionRequired( $version ) {
1816 $this->setPageTitle( wfMsg( 'versionrequired', $version ) );
1817 $this->setHTMLTitle( wfMsg( 'versionrequired', $version ) );
1818 $this->setRobotPolicy( 'noindex,nofollow' );
1819 $this->setArticleRelated( false );
1820 $this->mBodytext = '';
1821
1822 $this->addWikiMsg( 'versionrequiredtext', $version );
1823 $this->returnToMain();
1824 }
1825
1826 /**
1827 * Display an error page noting that a given permission bit is required.
1828 *
1829 * @param $permission String: key required
1830 */
1831 public function permissionRequired( $permission ) {
1832 global $wgLang;
1833
1834 $this->setPageTitle( wfMsg( 'badaccess' ) );
1835 $this->setHTMLTitle( wfMsg( 'errorpagetitle' ) );
1836 $this->setRobotPolicy( 'noindex,nofollow' );
1837 $this->setArticleRelated( false );
1838 $this->mBodytext = '';
1839
1840 $groups = array_map( array( 'User', 'makeGroupLinkWiki' ),
1841 User::getGroupsWithPermission( $permission ) );
1842 if( $groups ) {
1843 $this->addWikiMsg(
1844 'badaccess-groups',
1845 $wgLang->commaList( $groups ),
1846 count( $groups )
1847 );
1848 } else {
1849 $this->addWikiMsg( 'badaccess-group0' );
1850 }
1851 $this->returnToMain();
1852 }
1853
1854 /**
1855 * Produce the stock "please login to use the wiki" page
1856 */
1857 public function loginToUse() {
1858 global $wgUser;
1859
1860 if( $wgUser->isLoggedIn() ) {
1861 $this->permissionRequired( 'read' );
1862 return;
1863 }
1864
1865 $skin = $wgUser->getSkin();
1866
1867 $this->setPageTitle( wfMsg( 'loginreqtitle' ) );
1868 $this->setHtmlTitle( wfMsg( 'errorpagetitle' ) );
1869 $this->setRobotPolicy( 'noindex,nofollow' );
1870 $this->setArticleRelated( false );
1871
1872 $loginTitle = SpecialPage::getTitleFor( 'Userlogin' );
1873 $loginLink = $skin->link(
1874 $loginTitle,
1875 wfMsgHtml( 'loginreqlink' ),
1876 array(),
1877 array( 'returnto' => $this->getTitle()->getPrefixedText() ),
1878 array( 'known', 'noclasses' )
1879 );
1880 $this->addHTML( wfMsgWikiHtml( 'loginreqpagetext', $loginLink ) );
1881 $this->addHTML( "\n<!--" . $this->getTitle()->getPrefixedUrl() . '-->' );
1882
1883 # Don't return to the main page if the user can't read it
1884 # otherwise we'll end up in a pointless loop
1885 $mainPage = Title::newMainPage();
1886 if( $mainPage->userCanRead() ) {
1887 $this->returnToMain( null, $mainPage );
1888 }
1889 }
1890
1891 /**
1892 * Format a list of error messages
1893 *
1894 * @param $errors An array of arrays returned by Title::getUserPermissionsErrors
1895 * @param $action String: action that was denied or null if unknown
1896 * @return String: the wikitext error-messages, formatted into a list.
1897 */
1898 public function formatPermissionsErrorMessage( $errors, $action = null ) {
1899 if ( $action == null ) {
1900 $text = wfMsgNoTrans( 'permissionserrorstext', count( $errors ) ) . "\n\n";
1901 } else {
1902 $action_desc = wfMsgNoTrans( "action-$action" );
1903 $text = wfMsgNoTrans(
1904 'permissionserrorstext-withaction',
1905 count( $errors ),
1906 $action_desc
1907 ) . "\n\n";
1908 }
1909
1910 if ( count( $errors ) > 1 ) {
1911 $text .= '<ul class="permissions-errors">' . "\n";
1912
1913 foreach( $errors as $error ) {
1914 $text .= '<li>';
1915 $text .= call_user_func_array( 'wfMsgNoTrans', $error );
1916 $text .= "</li>\n";
1917 }
1918 $text .= '</ul>';
1919 } else {
1920 $text .= "<div class=\"permissions-errors\">\n" .
1921 call_user_func_array( 'wfMsgNoTrans', reset( $errors ) ) .
1922 "\n</div>";
1923 }
1924
1925 return $text;
1926 }
1927
1928 /**
1929 * Display a page stating that the Wiki is in read-only mode,
1930 * and optionally show the source of the page that the user
1931 * was trying to edit. Should only be called (for this
1932 * purpose) after wfReadOnly() has returned true.
1933 *
1934 * For historical reasons, this function is _also_ used to
1935 * show the error message when a user tries to edit a page
1936 * they are not allowed to edit. (Unless it's because they're
1937 * blocked, then we show blockedPage() instead.) In this
1938 * case, the second parameter should be set to true and a list
1939 * of reasons supplied as the third parameter.
1940 *
1941 * @todo Needs to be split into multiple functions.
1942 *
1943 * @param $source String: source code to show (or null).
1944 * @param $protected Boolean: is this a permissions error?
1945 * @param $reasons Array: list of reasons for this error, as returned by Title::getUserPermissionsErrors().
1946 * @param $action String: action that was denied or null if unknown
1947 */
1948 public function readOnlyPage( $source = null, $protected = false, $reasons = array(), $action = null ) {
1949 global $wgUser;
1950 $skin = $wgUser->getSkin();
1951
1952 $this->setRobotPolicy( 'noindex,nofollow' );
1953 $this->setArticleRelated( false );
1954
1955 // If no reason is given, just supply a default "I can't let you do
1956 // that, Dave" message. Should only occur if called by legacy code.
1957 if ( $protected && empty( $reasons ) ) {
1958 $reasons[] = array( 'badaccess-group0' );
1959 }
1960
1961 if ( !empty( $reasons ) ) {
1962 // Permissions error
1963 if( $source ) {
1964 $this->setPageTitle( wfMsg( 'viewsource' ) );
1965 $this->setSubtitle(
1966 wfMsg( 'viewsourcefor', $skin->linkKnown( $this->getTitle() ) )
1967 );
1968 } else {
1969 $this->setPageTitle( wfMsg( 'badaccess' ) );
1970 }
1971 $this->addWikiText( $this->formatPermissionsErrorMessage( $reasons, $action ) );
1972 } else {
1973 // Wiki is read only
1974 $this->setPageTitle( wfMsg( 'readonly' ) );
1975 $reason = wfReadOnlyReason();
1976 $this->wrapWikiMsg( "<div class='mw-readonly-error'>\n$1\n</div>", array( 'readonlytext', $reason ) );
1977 }
1978
1979 // Show source, if supplied
1980 if( is_string( $source ) ) {
1981 $this->addWikiMsg( 'viewsourcetext' );
1982
1983 $params = array(
1984 'id' => 'wpTextbox1',
1985 'name' => 'wpTextbox1',
1986 'cols' => $wgUser->getOption( 'cols' ),
1987 'rows' => $wgUser->getOption( 'rows' ),
1988 'readonly' => 'readonly'
1989 );
1990 $this->addHTML( Html::element( 'textarea', $params, $source ) );
1991
1992 // Show templates used by this article
1993 $skin = $wgUser->getSkin();
1994 $article = new Article( $this->getTitle() );
1995 $this->addHTML( "<div class='templatesUsed'>
1996 {$skin->formatTemplates( $article->getUsedTemplates() )}
1997 </div>
1998 " );
1999 }
2000
2001 # If the title doesn't exist, it's fairly pointless to print a return
2002 # link to it. After all, you just tried editing it and couldn't, so
2003 # what's there to do there?
2004 if( $this->getTitle()->exists() ) {
2005 $this->returnToMain( null, $this->getTitle() );
2006 }
2007 }
2008
2009 /**
2010 * Adds JS-based password security checker
2011 * @param $passwordId String ID of input box containing password
2012 * @param $retypeId String ID of input box containing retyped password
2013 * @return none
2014 */
2015 public function addPasswordSecurity( $passwordId, $retypeId ) {
2016 $data = array(
2017 'password' => '#' . $passwordId,
2018 'retype' => '#' . $retypeId,
2019 'messages' => array(),
2020 );
2021 foreach ( array( 'password-strength', 'password-strength-bad', 'password-strength-mediocre',
2022 'password-strength-acceptable', 'password-strength-good', 'password-retype', 'password-retype-mismatch'
2023 ) as $message ) {
2024 $data['messages'][$message] = wfMsg( $message );
2025 }
2026 $this->addScript( Html::inlineScript( 'var passwordSecurity=' . FormatJson::encode( $data ) ) );
2027 $this->addModules( 'mediawiki.legacy.password' );
2028 }
2029
2030 public function showFatalError( $message ) {
2031 $this->setPageTitle( wfMsg( 'internalerror' ) );
2032 $this->setRobotPolicy( 'noindex,nofollow' );
2033 $this->setArticleRelated( false );
2034 $this->enableClientCache( false );
2035 $this->mRedirect = '';
2036 $this->mBodytext = $message;
2037 }
2038
2039 public function showUnexpectedValueError( $name, $val ) {
2040 $this->showFatalError( wfMsg( 'unexpected', $name, $val ) );
2041 }
2042
2043 public function showFileCopyError( $old, $new ) {
2044 $this->showFatalError( wfMsg( 'filecopyerror', $old, $new ) );
2045 }
2046
2047 public function showFileRenameError( $old, $new ) {
2048 $this->showFatalError( wfMsg( 'filerenameerror', $old, $new ) );
2049 }
2050
2051 public function showFileDeleteError( $name ) {
2052 $this->showFatalError( wfMsg( 'filedeleteerror', $name ) );
2053 }
2054
2055 public function showFileNotFoundError( $name ) {
2056 $this->showFatalError( wfMsg( 'filenotfound', $name ) );
2057 }
2058
2059 /**
2060 * Add a "return to" link pointing to a specified title
2061 *
2062 * @param $title Title to link
2063 * @param $query String: query string
2064 * @param $text String text of the link (input is not escaped)
2065 */
2066 public function addReturnTo( $title, $query = array(), $text = null ) {
2067 global $wgUser;
2068 $this->addLink( array( 'rel' => 'next', 'href' => $title->getFullURL() ) );
2069 $link = wfMsgHtml(
2070 'returnto',
2071 $wgUser->getSkin()->link( $title, $text, array(), $query )
2072 );
2073 $this->addHTML( "<p id=\"mw-returnto\">{$link}</p>\n" );
2074 }
2075
2076 /**
2077 * Add a "return to" link pointing to a specified title,
2078 * or the title indicated in the request, or else the main page
2079 *
2080 * @param $unused No longer used
2081 * @param $returnto Title or String to return to
2082 * @param $returntoquery String: query string for the return to link
2083 */
2084 public function returnToMain( $unused = null, $returnto = null, $returntoquery = null ) {
2085 global $wgRequest;
2086
2087 if ( $returnto == null ) {
2088 $returnto = $wgRequest->getText( 'returnto' );
2089 }
2090
2091 if ( $returntoquery == null ) {
2092 $returntoquery = $wgRequest->getText( 'returntoquery' );
2093 }
2094
2095 if ( $returnto === '' ) {
2096 $returnto = Title::newMainPage();
2097 }
2098
2099 if ( is_object( $returnto ) ) {
2100 $titleObj = $returnto;
2101 } else {
2102 $titleObj = Title::newFromText( $returnto );
2103 }
2104 if ( !is_object( $titleObj ) ) {
2105 $titleObj = Title::newMainPage();
2106 }
2107
2108 $this->addReturnTo( $titleObj, $returntoquery );
2109 }
2110
2111 /**
2112 * @param $sk Skin The given Skin
2113 * @param $includeStyle Boolean: unused
2114 * @return String: The doctype, opening <html>, and head element.
2115 */
2116 public function headElement( Skin $sk, $includeStyle = true ) {
2117 global $wgOutputEncoding, $wgMimeType;
2118 global $wgUseTrackbacks, $wgHtml5;
2119 global $wgUser, $wgRequest, $wgLang;
2120
2121 if ( $sk->commonPrintStylesheet() ) {
2122 $this->addModuleStyles( 'mediawiki.legacy.wikiprintable' );
2123 }
2124 $sk->setupUserCss( $this );
2125
2126 $ret = Html::htmlHeader( array( 'lang' => wfUILang()->getCode() ) );
2127
2128 if ( $this->getHTMLTitle() == '' ) {
2129 $this->setHTMLTitle( wfMsg( 'pagetitle', $this->getPageTitle() ) );
2130 }
2131
2132 $openHead = Html::openElement( 'head' );
2133 if ( $openHead ) {
2134 # Don't bother with the newline if $head == ''
2135 $ret .= "$openHead\n";
2136 }
2137
2138 if ( $wgHtml5 ) {
2139 # More succinct than <meta http-equiv=Content-Type>, has the
2140 # same effect
2141 $ret .= Html::element( 'meta', array( 'charset' => $wgOutputEncoding ) ) . "\n";
2142 } else {
2143 $this->addMeta( 'http:Content-Type', "$wgMimeType; charset=$wgOutputEncoding" );
2144 }
2145
2146 $ret .= Html::element( 'title', null, $this->getHTMLTitle() ) . "\n";
2147
2148 $ret .= implode( "\n", array(
2149 $this->getHeadLinks( $sk ),
2150 $this->buildCssLinks( $sk ),
2151 $this->getHeadItems()
2152 ) );
2153
2154 if ( $wgUseTrackbacks && $this->isArticleRelated() ) {
2155 $ret .= $this->getTitle()->trackbackRDF();
2156 }
2157
2158 $closeHead = Html::closeElement( 'head' );
2159 if ( $closeHead ) {
2160 $ret .= "$closeHead\n";
2161 }
2162
2163 $bodyAttrs = array();
2164
2165 # Crazy edit-on-double-click stuff
2166 $action = $wgRequest->getVal( 'action', 'view' );
2167
2168 if (
2169 $this->getTitle()->getNamespace() != NS_SPECIAL &&
2170 !in_array( $action, array( 'edit', 'submit' ) ) &&
2171 $wgUser->getOption( 'editondblclick' )
2172 )
2173 {
2174 $bodyAttrs['ondblclick'] = "document.location = '" . Xml::escapeJsString( $this->getTitle()->getEditURL() ) . "'";
2175 }
2176
2177 # Class bloat
2178 $dir = wfUILang()->getDir();
2179 $bodyAttrs['class'] = "mediawiki $dir";
2180
2181 if ( $wgLang->capitalizeAllNouns() ) {
2182 # A <body> class is probably not the best way to do this . . .
2183 $bodyAttrs['class'] .= ' capitalize-all-nouns';
2184 }
2185 $bodyAttrs['class'] .= ' ns-' . $this->getTitle()->getNamespace();
2186 if ( $this->getTitle()->getNamespace() == NS_SPECIAL ) {
2187 $bodyAttrs['class'] .= ' ns-special';
2188 } elseif ( $this->getTitle()->isTalkPage() ) {
2189 $bodyAttrs['class'] .= ' ns-talk';
2190 } else {
2191 $bodyAttrs['class'] .= ' ns-subject';
2192 }
2193 $bodyAttrs['class'] .= ' ' . Sanitizer::escapeClass( 'page-' . $this->getTitle()->getPrefixedText() );
2194 $bodyAttrs['class'] .= ' skin-' . Sanitizer::escapeClass( $wgUser->getSkin()->getSkinName() );
2195
2196 $sk->addToBodyAttributes( $this, $bodyAttrs ); // Allow skins to add body attributes they need
2197 wfRunHooks( 'OutputPageBodyAttributes', array( $this, $sk, &$bodyAttrs ) );
2198
2199 $ret .= Html::openElement( 'body', $bodyAttrs ) . "\n";
2200
2201 return $ret;
2202 }
2203
2204 /**
2205 * Get a ResourceLoader object associated with this OutputPage
2206 */
2207 public function getResourceLoader() {
2208 if ( is_null( $this->mResourceLoader ) ) {
2209 $this->mResourceLoader = new ResourceLoader();
2210 }
2211 return $this->mResourceLoader;
2212 }
2213
2214 /**
2215 * TODO: Document
2216 * @param $skin Skin
2217 * @param $modules Array/string with the module name
2218 * @param $only string May be styles, messages or scripts
2219 * @param $useESI boolean
2220 * @return string html <script> and <style> tags
2221 */
2222 protected function makeResourceLoaderLink( Skin $skin, $modules, $only, $useESI = false ) {
2223 global $wgUser, $wgLang, $wgLoadScript, $wgResourceLoaderUseESI,
2224 $wgResourceLoaderInlinePrivateModules, $wgRequest;
2225 // Lazy-load ResourceLoader
2226 // TODO: Should this be a static function of ResourceLoader instead?
2227 // TODO: Divide off modules starting with "user", and add the user parameter to them
2228 $query = array(
2229 'lang' => $wgLang->getCode(),
2230 'debug' => ResourceLoader::inDebugMode() ? 'true' : 'false',
2231 'skin' => $skin->getSkinName(),
2232 'only' => $only,
2233 );
2234 // Propagate printable and handheld parameters if present
2235 if ( $wgRequest->getBool( 'printable' ) ) {
2236 $query['printable'] = 1;
2237 }
2238 if ( $wgRequest->getBool( 'handheld' ) ) {
2239 $query['handheld'] = 1;
2240 }
2241
2242 if ( !count( $modules ) ) {
2243 return '';
2244 }
2245
2246 if ( count( $modules ) > 1 ) {
2247 // Remove duplicate module requests
2248 $modules = array_unique( (array) $modules );
2249 // Sort module names so requests are more uniform
2250 sort( $modules );
2251
2252 if ( ResourceLoader::inDebugMode() ) {
2253 // Recursively call us for every item
2254 $links = '';
2255 foreach ( $modules as $name ) {
2256 $links .= $this->makeResourceLoaderLink( $skin, $name, $only, $useESI );
2257 }
2258 return $links;
2259 }
2260 }
2261
2262 // Create keyed-by-group list of module objects from modules list
2263 $groups = array();
2264 $resourceLoader = $this->getResourceLoader();
2265 foreach ( (array) $modules as $name ) {
2266 $module = $resourceLoader->getModule( $name );
2267 $group = $module->getGroup();
2268 if ( !isset( $groups[$group] ) ) {
2269 $groups[$group] = array();
2270 }
2271 $groups[$group][$name] = $module;
2272 }
2273 $links = '';
2274 foreach ( $groups as $group => $modules ) {
2275 $query['modules'] = implode( '|', array_keys( $modules ) );
2276 // Special handling for user-specific groups
2277 if ( ( $group === 'user' || $group === 'private' ) && $wgUser->isLoggedIn() ) {
2278 $query['user'] = $wgUser->getName();
2279 }
2280 // Support inlining of private modules if configured as such
2281 if ( $group === 'private' && $wgResourceLoaderInlinePrivateModules ) {
2282 $context = new ResourceLoaderContext( $resourceLoader, new FauxRequest( $query ) );
2283 if ( $only == 'styles' ) {
2284 $links .= Html::inlineStyle(
2285 $resourceLoader->makeModuleResponse( $context, $modules )
2286 );
2287 } else {
2288 $links .= Html::inlineScript(
2289 ResourceLoader::makeLoaderConditionalScript(
2290 $resourceLoader->makeModuleResponse( $context, $modules )
2291 )
2292 );
2293 }
2294 continue;
2295 }
2296 // Special handling for user and site groups; because users might change their stuff
2297 // on-wiki like site or user pages, or user preferences; we need to find the highest
2298 // timestamp of these user-changable modules so we can ensure cache misses on change
2299 if ( $group === 'user' || $group === 'site' ) {
2300 // Create a fake request based on the one we are about to make so modules return
2301 // correct times
2302 $context = new ResourceLoaderContext( $resourceLoader, new FauxRequest( $query ) );
2303 // Get the maximum timestamp
2304 $timestamp = 1;
2305 foreach ( $modules as $module ) {
2306 $timestamp = max( $timestamp, $module->getModifiedTime( $context ) );
2307 }
2308 // Add a version parameter so cache will break when things change
2309 $query['version'] = wfTimestamp( TS_ISO_8601_BASIC, round( $timestamp, -2 ) );
2310 }
2311 // Make queries uniform in order
2312 ksort( $query );
2313
2314 $url = wfAppendQuery( $wgLoadScript, $query );
2315 if ( $useESI && $wgResourceLoaderUseESI ) {
2316 $esi = Xml::element( 'esi:include', array( 'src' => $url ) );
2317 if ( $only == 'styles' ) {
2318 $links .= Html::inlineStyle( $esi );
2319 } else {
2320 $links .= Html::inlineScript( $esi );
2321 }
2322 } else {
2323 // Automatically select style/script elements
2324 if ( $only === 'styles' ) {
2325 $links .= Html::linkedStyle( wfAppendQuery( $wgLoadScript, $query ) ) . "\n";
2326 } else {
2327 $links .= Html::linkedScript( wfAppendQuery( $wgLoadScript, $query ) ) . "\n";
2328 }
2329 }
2330 }
2331 return $links;
2332 }
2333
2334 /**
2335 * Gets the global variables and mScripts; also adds userjs to the end if
2336 * enabled. Despite the name, these scripts are no longer put in the
2337 * <head> but at the bottom of the <body>
2338 *
2339 * @param $sk Skin object to use
2340 * @return String: HTML fragment
2341 */
2342 function getHeadScripts( Skin $sk ) {
2343 global $wgUser, $wgRequest, $wgUseSiteJs;
2344
2345 // Startup - this will immediately load jquery and mediawiki modules
2346 $scripts = $this->makeResourceLoaderLink( $sk, 'startup', 'scripts', true );
2347
2348 // Configuration -- This could be merged together with the load and go, but
2349 // makeGlobalVariablesScript returns a whole script tag -- grumble grumble...
2350 $scripts .= Skin::makeGlobalVariablesScript( $sk->getSkinName() ) . "\n";
2351
2352 // Script and Messages "only" requests
2353 $scripts .= $this->makeResourceLoaderLink( $sk, $this->getModuleScripts(), 'scripts' );
2354 $scripts .= $this->makeResourceLoaderLink( $sk, $this->getModuleMessages(), 'messages' );
2355
2356 // Modules requests - let the client calculate dependencies and batch requests as it likes
2357 if ( $this->getModules() ) {
2358 $scripts .= Html::inlineScript(
2359 ResourceLoader::makeLoaderConditionalScript(
2360 Xml::encodeJsCall( 'mediaWiki.loader.load', array( $this->getModules() ) ) .
2361 Xml::encodeJsCall( 'mediaWiki.loader.go', array() )
2362 )
2363 ) . "\n";
2364 }
2365
2366 // Legacy Scripts
2367 $scripts .= "\n" . $this->mScripts;
2368
2369 // Add site JS if enabled
2370 if ( $wgUseSiteJs ) {
2371 $scripts .= $this->makeResourceLoaderLink( $sk, 'site', 'scripts' );
2372 }
2373
2374 // Add user JS if enabled - trying to load user.options as a bundle if possible
2375 $userOptionsAdded = false;
2376 if ( $this->isUserJsAllowed() && $wgUser->isLoggedIn() ) {
2377 $action = $wgRequest->getVal( 'action', 'view' );
2378 if( $this->mTitle && $this->mTitle->isJsSubpage() && $sk->userCanPreview( $action ) ) {
2379 # XXX: additional security check/prompt?
2380 $scripts .= Html::inlineScript( "\n" . $wgRequest->getText( 'wpTextbox1' ) . "\n" ) . "\n";
2381 } else {
2382 $scripts .= $this->makeResourceLoaderLink(
2383 $sk, array( 'user', 'user.options' ), 'scripts'
2384 );
2385 $userOptionsAdded = true;
2386 }
2387 }
2388 if ( !$userOptionsAdded ) {
2389 $scripts .= $this->makeResourceLoaderLink( $sk, 'user.options', 'scripts' );
2390 }
2391
2392 return $scripts;
2393 }
2394
2395 /**
2396 * Add default \<meta\> tags
2397 */
2398 protected function addDefaultMeta() {
2399 global $wgVersion, $wgHtml5;
2400
2401 static $called = false;
2402 if ( $called ) {
2403 # Don't run this twice
2404 return;
2405 }
2406 $called = true;
2407
2408 if ( !$wgHtml5 ) {
2409 $this->addMeta( 'http:Content-Style-Type', 'text/css' ); // bug 15835
2410 }
2411 $this->addMeta( 'generator', "MediaWiki $wgVersion" );
2412
2413 $p = "{$this->mIndexPolicy},{$this->mFollowPolicy}";
2414 if( $p !== 'index,follow' ) {
2415 // http://www.robotstxt.org/wc/meta-user.html
2416 // Only show if it's different from the default robots policy
2417 $this->addMeta( 'robots', $p );
2418 }
2419
2420 if ( count( $this->mKeywords ) > 0 ) {
2421 $strip = array(
2422 "/<.*?" . ">/" => '',
2423 "/_/" => ' '
2424 );
2425 $this->addMeta(
2426 'keywords',
2427 preg_replace(
2428 array_keys( $strip ),
2429 array_values( $strip ),
2430 implode( ',', $this->mKeywords )
2431 )
2432 );
2433 }
2434 }
2435
2436 /**
2437 * @return string HTML tag links to be put in the header.
2438 */
2439 public function getHeadLinks( Skin $sk ) {
2440 global $wgFeed;
2441
2442 // Ideally this should happen earlier, somewhere. :P
2443 $this->addDefaultMeta();
2444
2445 $tags = array();
2446
2447 foreach ( $this->mMetatags as $tag ) {
2448 if ( 0 == strcasecmp( 'http:', substr( $tag[0], 0, 5 ) ) ) {
2449 $a = 'http-equiv';
2450 $tag[0] = substr( $tag[0], 5 );
2451 } else {
2452 $a = 'name';
2453 }
2454 $tags[] = Html::element( 'meta',
2455 array(
2456 $a => $tag[0],
2457 'content' => $tag[1]
2458 )
2459 );
2460 }
2461 foreach ( $this->mLinktags as $tag ) {
2462 $tags[] = Html::element( 'link', $tag );
2463 }
2464
2465 if( $wgFeed ) {
2466 foreach( $this->getSyndicationLinks() as $format => $link ) {
2467 # Use the page name for the title (accessed through $wgTitle since
2468 # there's no other way). In principle, this could lead to issues
2469 # with having the same name for different feeds corresponding to
2470 # the same page, but we can't avoid that at this low a level.
2471
2472 $tags[] = $this->feedLink(
2473 $format,
2474 $link,
2475 # Used messages: 'page-rss-feed' and 'page-atom-feed' (for an easier grep)
2476 wfMsg( "page-{$format}-feed", $this->getTitle()->getPrefixedText() )
2477 );
2478 }
2479
2480 # Recent changes feed should appear on every page (except recentchanges,
2481 # that would be redundant). Put it after the per-page feed to avoid
2482 # changing existing behavior. It's still available, probably via a
2483 # menu in your browser. Some sites might have a different feed they'd
2484 # like to promote instead of the RC feed (maybe like a "Recent New Articles"
2485 # or "Breaking news" one). For this, we see if $wgOverrideSiteFeed is defined.
2486 # If so, use it instead.
2487
2488 global $wgOverrideSiteFeed, $wgSitename, $wgAdvertisedFeedTypes;
2489 $rctitle = SpecialPage::getTitleFor( 'Recentchanges' );
2490
2491 if ( $wgOverrideSiteFeed ) {
2492 foreach ( $wgOverrideSiteFeed as $type => $feedUrl ) {
2493 $tags[] = $this->feedLink(
2494 $type,
2495 htmlspecialchars( $feedUrl ),
2496 wfMsg( "site-{$type}-feed", $wgSitename )
2497 );
2498 }
2499 } elseif ( $this->getTitle()->getPrefixedText() != $rctitle->getPrefixedText() ) {
2500 foreach ( $wgAdvertisedFeedTypes as $format ) {
2501 $tags[] = $this->feedLink(
2502 $format,
2503 $rctitle->getLocalURL( "feed={$format}" ),
2504 wfMsg( "site-{$format}-feed", $wgSitename ) # For grep: 'site-rss-feed', 'site-atom-feed'.
2505 );
2506 }
2507 }
2508 }
2509 return implode( "\n", $tags );
2510 }
2511
2512 /**
2513 * Generate a <link rel/> for a feed.
2514 *
2515 * @param $type String: feed type
2516 * @param $url String: URL to the feed
2517 * @param $text String: value of the "title" attribute
2518 * @return String: HTML fragment
2519 */
2520 private function feedLink( $type, $url, $text ) {
2521 return Html::element( 'link', array(
2522 'rel' => 'alternate',
2523 'type' => "application/$type+xml",
2524 'title' => $text,
2525 'href' => $url )
2526 );
2527 }
2528
2529 /**
2530 * Add a local or specified stylesheet, with the given media options.
2531 * Meant primarily for internal use...
2532 *
2533 * @param $style String: URL to the file
2534 * @param $media String: to specify a media type, 'screen', 'printable', 'handheld' or any.
2535 * @param $condition String: for IE conditional comments, specifying an IE version
2536 * @param $dir String: set to 'rtl' or 'ltr' for direction-specific sheets
2537 */
2538 public function addStyle( $style, $media = '', $condition = '', $dir = '' ) {
2539 $options = array();
2540 // Even though we expect the media type to be lowercase, but here we
2541 // force it to lowercase to be safe.
2542 if( $media ) {
2543 $options['media'] = $media;
2544 }
2545 if( $condition ) {
2546 $options['condition'] = $condition;
2547 }
2548 if( $dir ) {
2549 $options['dir'] = $dir;
2550 }
2551 $this->styles[$style] = $options;
2552 }
2553
2554 /**
2555 * Adds inline CSS styles
2556 * @param $style_css Mixed: inline CSS
2557 */
2558 public function addInlineStyle( $style_css ){
2559 $this->mInlineStyles .= Html::inlineStyle( $style_css );
2560 }
2561
2562 /**
2563 * Build a set of <link>s for the stylesheets specified in the $this->styles array.
2564 * These will be applied to various media & IE conditionals.
2565 * @param $sk Skin object
2566 */
2567 public function buildCssLinks( $sk ) {
2568 $ret = '';
2569 // Add ResourceLoader styles
2570 // Split the styles into three groups
2571 $styles = array( 'other' => array(), 'user' => array(), 'site' => array() );
2572 $resourceLoader = $this->getResourceLoader();
2573 foreach ( $this->getModuleStyles() as $name ) {
2574 $group = $resourceLoader->getModule( $name )->getGroup();
2575 // Modules in groups named "other" or anything different than "user" or "site" will
2576 // be placed in the "other" group
2577 $styles[isset( $styles[$group] ) ? $group : 'other'][] = $name;
2578 }
2579
2580 // We want site and user styles to override dynamically added styles from modules, but we want
2581 // dynamically added styles to override statically added styles from other modules. So the order
2582 // has to be other, dynamic, site, user
2583 // Add statically added styles for other modules
2584 $ret .= $this->makeResourceLoaderLink( $sk, $styles['other'], 'styles' );
2585 // Add normal styles added through addStyle()/addInlineStyle() here
2586 $ret .= implode( "\n", $this->buildCssLinksArray() ) . $this->mInlineStyles;
2587 // Add marker tag to mark the place where the client-side loader should inject dynamic styles
2588 // We use a <meta> tag with a made-up name for this because that's valid HTML
2589 $ret .= Html::element( 'meta', array( 'name' => 'ResourceLoaderDynamicStyles', 'content' => '' ) );
2590 // Add site and user styles
2591 $ret .= $this->makeResourceLoaderLink(
2592 $sk, array_merge( $styles['site'], $styles['user'] ), 'styles'
2593 );
2594 return $ret;
2595 }
2596
2597 public function buildCssLinksArray() {
2598 $links = array();
2599 foreach( $this->styles as $file => $options ) {
2600 $link = $this->styleLink( $file, $options );
2601 if( $link ) {
2602 $links[$file] = $link;
2603 }
2604 }
2605 return $links;
2606 }
2607
2608 /**
2609 * Generate \<link\> tags for stylesheets
2610 *
2611 * @param $style String: URL to the file
2612 * @param $options Array: option, can contain 'condition', 'dir', 'media'
2613 * keys
2614 * @return String: HTML fragment
2615 */
2616 protected function styleLink( $style, $options ) {
2617 if( isset( $options['dir'] ) ) {
2618 $siteDir = wfUILang()->getDir();
2619 if( $siteDir != $options['dir'] ) {
2620 return '';
2621 }
2622 }
2623
2624 if( isset( $options['media'] ) ) {
2625 $media = self::transformCssMedia( $options['media'] );
2626 if( is_null( $media ) ) {
2627 return '';
2628 }
2629 } else {
2630 $media = 'all';
2631 }
2632
2633 if( substr( $style, 0, 1 ) == '/' ||
2634 substr( $style, 0, 5 ) == 'http:' ||
2635 substr( $style, 0, 6 ) == 'https:' ) {
2636 $url = $style;
2637 } else {
2638 global $wgStylePath, $wgStyleVersion;
2639 $url = $wgStylePath . '/' . $style . '?' . $wgStyleVersion;
2640 }
2641
2642 $link = Html::linkedStyle( $url, $media );
2643
2644 if( isset( $options['condition'] ) ) {
2645 $condition = htmlspecialchars( $options['condition'] );
2646 $link = "<!--[if $condition]>$link<![endif]-->";
2647 }
2648 return $link;
2649 }
2650
2651 /**
2652 * Transform "media" attribute based on request parameters
2653 *
2654 * @param $media String: current value of the "media" attribute
2655 * @return String: modified value of the "media" attribute
2656 */
2657 public static function transformCssMedia( $media ) {
2658 global $wgRequest, $wgHandheldForIPhone;
2659
2660 // Switch in on-screen display for media testing
2661 $switches = array(
2662 'printable' => 'print',
2663 'handheld' => 'handheld',
2664 );
2665 foreach( $switches as $switch => $targetMedia ) {
2666 if( $wgRequest->getBool( $switch ) ) {
2667 if( $media == $targetMedia ) {
2668 $media = '';
2669 } elseif( $media == 'screen' ) {
2670 return null;
2671 }
2672 }
2673 }
2674
2675 // Expand longer media queries as iPhone doesn't grok 'handheld'
2676 if( $wgHandheldForIPhone ) {
2677 $mediaAliases = array(
2678 'screen' => 'screen and (min-device-width: 481px)',
2679 'handheld' => 'handheld, only screen and (max-device-width: 480px)',
2680 );
2681
2682 if( isset( $mediaAliases[$media] ) ) {
2683 $media = $mediaAliases[$media];
2684 }
2685 }
2686
2687 return $media;
2688 }
2689
2690 /**
2691 * Turn off regular page output and return an error reponse
2692 * for when rate limiting has triggered.
2693 */
2694 public function rateLimited() {
2695 $this->setPageTitle( wfMsg( 'actionthrottled' ) );
2696 $this->setRobotPolicy( 'noindex,follow' );
2697 $this->setArticleRelated( false );
2698 $this->enableClientCache( false );
2699 $this->mRedirect = '';
2700 $this->clearHTML();
2701 $this->setStatusCode( 503 );
2702 $this->addWikiMsg( 'actionthrottledtext' );
2703
2704 $this->returnToMain( null, $this->getTitle() );
2705 }
2706
2707 /**
2708 * Show a warning about slave lag
2709 *
2710 * If the lag is higher than $wgSlaveLagCritical seconds,
2711 * then the warning is a bit more obvious. If the lag is
2712 * lower than $wgSlaveLagWarning, then no warning is shown.
2713 *
2714 * @param $lag Integer: slave lag
2715 */
2716 public function showLagWarning( $lag ) {
2717 global $wgSlaveLagWarning, $wgSlaveLagCritical, $wgLang;
2718 if( $lag >= $wgSlaveLagWarning ) {
2719 $message = $lag < $wgSlaveLagCritical
2720 ? 'lag-warn-normal'
2721 : 'lag-warn-high';
2722 $wrap = Html::rawElement( 'div', array( 'class' => "mw-{$message}" ), "\n$1\n" );
2723 $this->wrapWikiMsg( "$wrap\n", array( $message, $wgLang->formatNum( $lag ) ) );
2724 }
2725 }
2726
2727 /**
2728 * Add a wikitext-formatted message to the output.
2729 * This is equivalent to:
2730 *
2731 * $wgOut->addWikiText( wfMsgNoTrans( ... ) )
2732 */
2733 public function addWikiMsg( /*...*/ ) {
2734 $args = func_get_args();
2735 $name = array_shift( $args );
2736 $this->addWikiMsgArray( $name, $args );
2737 }
2738
2739 /**
2740 * Add a wikitext-formatted message to the output.
2741 * Like addWikiMsg() except the parameters are taken as an array
2742 * instead of a variable argument list.
2743 *
2744 * $options is passed through to wfMsgExt(), see that function for details.
2745 */
2746 public function addWikiMsgArray( $name, $args, $options = array() ) {
2747 $options[] = 'parse';
2748 $text = wfMsgExt( $name, $options, $args );
2749 $this->addHTML( $text );
2750 }
2751
2752 /**
2753 * This function takes a number of message/argument specifications, wraps them in
2754 * some overall structure, and then parses the result and adds it to the output.
2755 *
2756 * In the $wrap, $1 is replaced with the first message, $2 with the second, and so
2757 * on. The subsequent arguments may either be strings, in which case they are the
2758 * message names, or arrays, in which case the first element is the message name,
2759 * and subsequent elements are the parameters to that message.
2760 *
2761 * The special named parameter 'options' in a message specification array is passed
2762 * through to the $options parameter of wfMsgExt().
2763 *
2764 * Don't use this for messages that are not in users interface language.
2765 *
2766 * For example:
2767 *
2768 * $wgOut->wrapWikiMsg( "<div class='error'>\n$1\n</div>", 'some-error' );
2769 *
2770 * Is equivalent to:
2771 *
2772 * $wgOut->addWikiText( "<div class='error'>\n" . wfMsgNoTrans( 'some-error' ) . "\n</div>" );
2773 *
2774 * The newline after opening div is needed in some wikitext. See bug 19226.
2775 */
2776 public function wrapWikiMsg( $wrap /*, ...*/ ) {
2777 $msgSpecs = func_get_args();
2778 array_shift( $msgSpecs );
2779 $msgSpecs = array_values( $msgSpecs );
2780 $s = $wrap;
2781 foreach ( $msgSpecs as $n => $spec ) {
2782 $options = array();
2783 if ( is_array( $spec ) ) {
2784 $args = $spec;
2785 $name = array_shift( $args );
2786 if ( isset( $args['options'] ) ) {
2787 $options = $args['options'];
2788 unset( $args['options'] );
2789 }
2790 } else {
2791 $args = array();
2792 $name = $spec;
2793 }
2794 $s = str_replace( '$' . ( $n + 1 ), wfMsgExt( $name, $options, $args ), $s );
2795 }
2796 $this->addHTML( $this->parse( $s, /*linestart*/true, /*uilang*/true ) );
2797 }
2798
2799 /**
2800 * Include jQuery core. Use this to avoid loading it multiple times
2801 * before we get a usable script loader.
2802 *
2803 * @param $modules Array: list of jQuery modules which should be loaded
2804 * @return Array: the list of modules which were not loaded.
2805 * @since 1.16
2806 * @deprecated @since 1.17
2807 */
2808 public function includeJQuery( $modules = array() ) {
2809 return array();
2810 }
2811
2812 }