* Made special page names case-insensitive and localisable. Care has been taken to...
[lhc/web/wiklou.git] / includes / OutputPage.php
1 <?php
2 if ( ! defined( 'MEDIAWIKI' ) )
3 die( 1 );
4 /**
5 * @package MediaWiki
6 */
7
8 /**
9 * @todo document
10 * @package MediaWiki
11 */
12 class OutputPage {
13 var $mMetatags, $mKeywords;
14 var $mLinktags, $mPagetitle, $mBodytext, $mDebugtext;
15 var $mHTMLtitle, $mRobotpolicy, $mIsarticle, $mPrintable;
16 var $mSubtitle, $mRedirect, $mStatusCode;
17 var $mLastModified, $mETag, $mCategoryLinks;
18 var $mScripts, $mLinkColours, $mPageLinkTitle;
19
20 var $mSuppressQuickbar;
21 var $mOnloadHandler;
22 var $mDoNothing;
23 var $mContainsOldMagic, $mContainsNewMagic;
24 var $mIsArticleRelated;
25 protected $mParserOptions; // lazy initialised, use parserOptions()
26 var $mShowFeedLinks = false;
27 var $mEnableClientCache = true;
28 var $mArticleBodyOnly = false;
29
30 var $mNewSectionLink = false;
31 var $mNoGallery = false;
32
33 /**
34 * Constructor
35 * Initialise private variables
36 */
37 function OutputPage() {
38 $this->mMetatags = $this->mKeywords = $this->mLinktags = array();
39 $this->mHTMLtitle = $this->mPagetitle = $this->mBodytext =
40 $this->mRedirect = $this->mLastModified =
41 $this->mSubtitle = $this->mDebugtext = $this->mRobotpolicy =
42 $this->mOnloadHandler = $this->mPageLinkTitle = '';
43 $this->mIsArticleRelated = $this->mIsarticle = $this->mPrintable = true;
44 $this->mSuppressQuickbar = $this->mPrintable = false;
45 $this->mLanguageLinks = array();
46 $this->mCategoryLinks = array();
47 $this->mDoNothing = false;
48 $this->mContainsOldMagic = $this->mContainsNewMagic = 0;
49 $this->mParserOptions = null;
50 $this->mSquidMaxage = 0;
51 $this->mScripts = '';
52 $this->mETag = false;
53 $this->mRevisionId = null;
54 $this->mNewSectionLink = false;
55 }
56
57 function redirect( $url, $responsecode = '302' ) {
58 # Strip newlines as a paranoia check for header injection in PHP<5.1.2
59 $this->mRedirect = str_replace( "\n", '', $url );
60 $this->mRedirectCode = $responsecode;
61 }
62
63 function setStatusCode( $statusCode ) { $this->mStatusCode = $statusCode; }
64
65 # To add an http-equiv meta tag, precede the name with "http:"
66 function addMeta( $name, $val ) { array_push( $this->mMetatags, array( $name, $val ) ); }
67 function addKeyword( $text ) { array_push( $this->mKeywords, $text ); }
68 function addScript( $script ) { $this->mScripts .= $script; }
69 function getScript() { return $this->mScripts; }
70
71 function setETag($tag) { $this->mETag = $tag; }
72 function setArticleBodyOnly($only) { $this->mArticleBodyOnly = $only; }
73 function getArticleBodyOnly($only) { return $this->mArticleBodyOnly; }
74
75 function addLink( $linkarr ) {
76 # $linkarr should be an associative array of attributes. We'll escape on output.
77 array_push( $this->mLinktags, $linkarr );
78 }
79
80 function addMetadataLink( $linkarr ) {
81 # note: buggy CC software only reads first "meta" link
82 static $haveMeta = false;
83 $linkarr['rel'] = ($haveMeta) ? 'alternate meta' : 'meta';
84 $this->addLink( $linkarr );
85 $haveMeta = true;
86 }
87
88 /**
89 * checkLastModified tells the client to use the client-cached page if
90 * possible. If sucessful, the OutputPage is disabled so that
91 * any future call to OutputPage->output() have no effect. The method
92 * returns true iff cache-ok headers was sent.
93 */
94 function checkLastModified ( $timestamp ) {
95 global $wgCachePages, $wgCacheEpoch, $wgUser, $wgRequest;
96 $fname = 'OutputPage::checkLastModified';
97
98 if ( !$timestamp || $timestamp == '19700101000000' ) {
99 wfDebug( "$fname: CACHE DISABLED, NO TIMESTAMP\n" );
100 return;
101 }
102 if( !$wgCachePages ) {
103 wfDebug( "$fname: CACHE DISABLED\n", false );
104 return;
105 }
106 if( $wgUser->getOption( 'nocache' ) ) {
107 wfDebug( "$fname: USER DISABLED CACHE\n", false );
108 return;
109 }
110
111 $timestamp=wfTimestamp(TS_MW,$timestamp);
112 $lastmod = wfTimestamp( TS_RFC2822, max( $timestamp, $wgUser->mTouched, $wgCacheEpoch ) );
113
114 if( !empty( $_SERVER['HTTP_IF_MODIFIED_SINCE'] ) ) {
115 # IE sends sizes after the date like this:
116 # Wed, 20 Aug 2003 06:51:19 GMT; length=5202
117 # this breaks strtotime().
118 $modsince = preg_replace( '/;.*$/', '', $_SERVER["HTTP_IF_MODIFIED_SINCE"] );
119 $modsinceTime = strtotime( $modsince );
120 $ismodsince = wfTimestamp( TS_MW, $modsinceTime ? $modsinceTime : 1 );
121 wfDebug( "$fname: -- client send If-Modified-Since: " . $modsince . "\n", false );
122 wfDebug( "$fname: -- we might send Last-Modified : $lastmod\n", false );
123 if( ($ismodsince >= $timestamp ) && $wgUser->validateCache( $ismodsince ) && $ismodsince >= $wgCacheEpoch ) {
124 # Make sure you're in a place you can leave when you call us!
125 $wgRequest->response()->header( "HTTP/1.0 304 Not Modified" );
126 $this->mLastModified = $lastmod;
127 $this->sendCacheControl();
128 wfDebug( "$fname: CACHED client: $ismodsince ; user: $wgUser->mTouched ; page: $timestamp ; site $wgCacheEpoch\n", false );
129 $this->disable();
130 @ob_end_clean(); // Don't output compressed blob
131 return true;
132 } else {
133 wfDebug( "$fname: READY client: $ismodsince ; user: $wgUser->mTouched ; page: $timestamp ; site $wgCacheEpoch\n", false );
134 $this->mLastModified = $lastmod;
135 }
136 } else {
137 wfDebug( "$fname: client did not send If-Modified-Since header\n", false );
138 $this->mLastModified = $lastmod;
139 }
140 }
141
142 function getPageTitleActionText () {
143 global $action;
144 switch($action) {
145 case 'edit':
146 case 'delete':
147 case 'protect':
148 case 'unprotect':
149 case 'watch':
150 case 'unwatch':
151 // Display title is already customized
152 return '';
153 case 'history':
154 return wfMsg('history_short');
155 case 'submit':
156 // FIXME: bug 2735; not correct for special pages etc
157 return wfMsg('preview');
158 case 'info':
159 return wfMsg('info_short');
160 default:
161 return '';
162 }
163 }
164
165 function setRobotpolicy( $str ) { $this->mRobotpolicy = $str; }
166 function setHTMLTitle( $name ) {$this->mHTMLtitle = $name; }
167 function setPageTitle( $name ) {
168 global $action, $wgContLang;
169 $name = $wgContLang->convert($name, true);
170 $this->mPagetitle = $name;
171 if(!empty($action)) {
172 $taction = $this->getPageTitleActionText();
173 if( !empty( $taction ) ) {
174 $name .= ' - '.$taction;
175 }
176 }
177
178 $this->setHTMLTitle( wfMsg( 'pagetitle', $name ) );
179 }
180 function getHTMLTitle() { return $this->mHTMLtitle; }
181 function getPageTitle() { return $this->mPagetitle; }
182 function setSubtitle( $str ) { $this->mSubtitle = /*$this->parse(*/$str/*)*/; } // @bug 2514
183 function getSubtitle() { return $this->mSubtitle; }
184 function isArticle() { return $this->mIsarticle; }
185 function setPrintable() { $this->mPrintable = true; }
186 function isPrintable() { return $this->mPrintable; }
187 function setSyndicated( $show = true ) { $this->mShowFeedLinks = $show; }
188 function isSyndicated() { return $this->mShowFeedLinks; }
189 function setOnloadHandler( $js ) { $this->mOnloadHandler = $js; }
190 function getOnloadHandler() { return $this->mOnloadHandler; }
191 function disable() { $this->mDoNothing = true; }
192
193 function setArticleRelated( $v ) {
194 $this->mIsArticleRelated = $v;
195 if ( !$v ) {
196 $this->mIsarticle = false;
197 }
198 }
199 function setArticleFlag( $v ) {
200 $this->mIsarticle = $v;
201 if ( $v ) {
202 $this->mIsArticleRelated = $v;
203 }
204 }
205
206 function isArticleRelated() { return $this->mIsArticleRelated; }
207
208 function getLanguageLinks() { return $this->mLanguageLinks; }
209 function addLanguageLinks($newLinkArray) {
210 $this->mLanguageLinks += $newLinkArray;
211 }
212 function setLanguageLinks($newLinkArray) {
213 $this->mLanguageLinks = $newLinkArray;
214 }
215
216 function getCategoryLinks() {
217 return $this->mCategoryLinks;
218 }
219
220 /**
221 * Add an array of categories, with names in the keys
222 */
223 function addCategoryLinks($categories) {
224 global $wgUser, $wgContLang;
225
226 if ( !is_array( $categories ) ) {
227 return;
228 }
229 # Add the links to the link cache in a batch
230 $arr = array( NS_CATEGORY => $categories );
231 $lb = new LinkBatch;
232 $lb->setArray( $arr );
233 $lb->execute();
234
235 $sk =& $wgUser->getSkin();
236 foreach ( $categories as $category => $arbitrary ) {
237 $title = Title::makeTitleSafe( NS_CATEGORY, $category );
238 $text = $wgContLang->convertHtml( $title->getText() );
239 $this->mCategoryLinks[] = $sk->makeLinkObj( $title, $text );
240 }
241 }
242
243 function setCategoryLinks($categories) {
244 $this->mCategoryLinks = array();
245 $this->addCategoryLinks($categories);
246 }
247
248 function suppressQuickbar() { $this->mSuppressQuickbar = true; }
249 function isQuickbarSuppressed() { return $this->mSuppressQuickbar; }
250
251 function addHTML( $text ) { $this->mBodytext .= $text; }
252 function clearHTML() { $this->mBodytext = ''; }
253 function getHTML() { return $this->mBodytext; }
254 function debug( $text ) { $this->mDebugtext .= $text; }
255
256 /* @deprecated */
257 function setParserOptions( $options ) {
258 return $this->parserOptions( $options );
259 }
260
261 function parserOptions( $options = null ) {
262 if ( !$this->mParserOptions ) {
263 $this->mParserOptions = new ParserOptions;
264 }
265 return wfSetVar( $this->mParserOptions, $options );
266 }
267
268 /**
269 * Set the revision ID which will be seen by the wiki text parser
270 * for things such as embedded {{REVISIONID}} variable use.
271 * @param mixed $revid an integer, or NULL
272 * @return mixed previous value
273 */
274 function setRevisionId( $revid ) {
275 $val = is_null( $revid ) ? null : intval( $revid );
276 return wfSetVar( $this->mRevisionId, $val );
277 }
278
279 /**
280 * Convert wikitext to HTML and add it to the buffer
281 * Default assumes that the current page title will
282 * be used.
283 */
284 function addWikiText( $text, $linestart = true ) {
285 global $wgTitle;
286 $this->addWikiTextTitle($text, $wgTitle, $linestart);
287 }
288
289 function addWikiTextWithTitle($text, &$title, $linestart = true) {
290 $this->addWikiTextTitle($text, $title, $linestart);
291 }
292
293 function addWikiTextTitle($text, &$title, $linestart) {
294 global $wgParser;
295 $fname = 'OutputPage:addWikiTextTitle';
296 wfProfileIn($fname);
297 wfIncrStats('pcache_not_possible');
298 $parserOutput = $wgParser->parse( $text, $title, $this->parserOptions(),
299 $linestart, true, $this->mRevisionId );
300 $this->addParserOutput( $parserOutput );
301 wfProfileOut($fname);
302 }
303
304 function addParserOutputNoText( &$parserOutput ) {
305 $this->mLanguageLinks += $parserOutput->getLanguageLinks();
306 $this->addCategoryLinks( $parserOutput->getCategories() );
307 $this->mNewSectionLink = $parserOutput->getNewSection();
308 $this->addKeywords( $parserOutput );
309 if ( $parserOutput->getCacheTime() == -1 ) {
310 $this->enableClientCache( false );
311 }
312 if ( $parserOutput->mHTMLtitle != "" ) {
313 $this->mPagetitle = $parserOutput->mHTMLtitle ;
314 }
315 if ( $parserOutput->mSubtitle != '' ) {
316 $this->mSubtitle .= $parserOutput->mSubtitle ;
317 }
318 $this->mNoGallery = $parserOutput->getNoGallery();
319 wfRunHooks( 'OutputPageParserOutput', array( &$this, $parserOutput ) );
320 }
321
322 function addParserOutput( &$parserOutput ) {
323 $this->addParserOutputNoText( $parserOutput );
324 $text = $parserOutput->getText();
325 wfRunHooks( 'OutputPageBeforeHTML',array( &$this, &$text ) );
326 $this->addHTML( $text );
327 }
328
329 /**
330 * Add wikitext to the buffer, assuming that this is the primary text for a page view
331 * Saves the text into the parser cache if possible
332 */
333 function addPrimaryWikiText( $text, $article, $cache = true ) {
334 global $wgParser, $wgUser;
335
336 $popts = $this->parserOptions();
337 $popts->setTidy(true);
338 $parserOutput = $wgParser->parse( $text, $article->mTitle,
339 $popts, true, true, $this->mRevisionId );
340 $popts->setTidy(false);
341 if ( $cache && $article && $parserOutput->getCacheTime() != -1 ) {
342 $parserCache =& ParserCache::singleton();
343 $parserCache->save( $parserOutput, $article, $wgUser );
344 }
345
346 $this->addParserOutput( $parserOutput );
347 }
348
349 /**
350 * For anything that isn't primary text or interface message
351 */
352 function addSecondaryWikiText( $text, $linestart = true ) {
353 global $wgTitle;
354 $popts = $this->parserOptions();
355 $popts->setTidy(true);
356 $this->addWikiTextTitle($text, $wgTitle, $linestart);
357 $popts->setTidy(false);
358 }
359
360
361 /**
362 * Add the output of a QuickTemplate to the output buffer
363 * @param QuickTemplate $template
364 */
365 function addTemplate( &$template ) {
366 ob_start();
367 $template->execute();
368 $this->addHTML( ob_get_contents() );
369 ob_end_clean();
370 }
371
372 /**
373 * Parse wikitext and return the HTML.
374 */
375 function parse( $text, $linestart = true, $interface = false ) {
376 global $wgParser, $wgTitle;
377 $popts = $this->parserOptions();
378 if ( $interface) { $popts->setInterfaceMessage(true); }
379 $parserOutput = $wgParser->parse( $text, $wgTitle, $popts,
380 $linestart, true, $this->mRevisionId );
381 if ( $interface) { $popts->setInterfaceMessage(false); }
382 return $parserOutput->getText();
383 }
384
385 /**
386 * @param $article
387 * @param $user
388 *
389 * @return bool
390 */
391 function tryParserCache( &$article, $user ) {
392 $parserCache =& ParserCache::singleton();
393 $parserOutput = $parserCache->get( $article, $user );
394 if ( $parserOutput !== false ) {
395 $this->addParserOutput( $parserOutput );
396 return true;
397 } else {
398 return false;
399 }
400 }
401
402 /**
403 * Set the maximum cache time on the Squid in seconds
404 * @param $maxage
405 */
406 function setSquidMaxage( $maxage ) {
407 $this->mSquidMaxage = $maxage;
408 }
409
410 /**
411 * Use enableClientCache(false) to force it to send nocache headers
412 * @param $state
413 */
414 function enableClientCache( $state ) {
415 return wfSetVar( $this->mEnableClientCache, $state );
416 }
417
418 function uncacheableBecauseRequestvars() {
419 global $wgRequest;
420 return $wgRequest->getText('useskin', false) === false
421 && $wgRequest->getText('uselang', false) === false;
422 }
423
424 function sendCacheControl() {
425 global $wgUseSquid, $wgUseESI, $wgUseETag, $wgSquidMaxage, $wgRequest;
426 $fname = 'OutputPage::sendCacheControl';
427
428 if ($wgUseETag && $this->mETag)
429 $wgRequest->response()->header("ETag: $this->mETag");
430
431 # don't serve compressed data to clients who can't handle it
432 # maintain different caches for logged-in users and non-logged in ones
433 $wgRequest->response()->header( 'Vary: Accept-Encoding, Cookie' );
434 if( !$this->uncacheableBecauseRequestvars() && $this->mEnableClientCache ) {
435 if( $wgUseSquid && ! isset( $_COOKIE[ini_get( 'session.name') ] ) &&
436 ! $this->isPrintable() && $this->mSquidMaxage != 0 )
437 {
438 if ( $wgUseESI ) {
439 # We'll purge the proxy cache explicitly, but require end user agents
440 # to revalidate against the proxy on each visit.
441 # Surrogate-Control controls our Squid, Cache-Control downstream caches
442 wfDebug( "$fname: proxy caching with ESI; {$this->mLastModified} **\n", false );
443 # start with a shorter timeout for initial testing
444 # header( 'Surrogate-Control: max-age=2678400+2678400, content="ESI/1.0"');
445 $wgRequest->response()->header( 'Surrogate-Control: max-age='.$wgSquidMaxage.'+'.$this->mSquidMaxage.', content="ESI/1.0"');
446 $wgRequest->response()->header( 'Cache-Control: s-maxage=0, must-revalidate, max-age=0' );
447 } else {
448 # We'll purge the proxy cache for anons explicitly, but require end user agents
449 # to revalidate against the proxy on each visit.
450 # IMPORTANT! The Squid needs to replace the Cache-Control header with
451 # Cache-Control: s-maxage=0, must-revalidate, max-age=0
452 wfDebug( "$fname: local proxy caching; {$this->mLastModified} **\n", false );
453 # start with a shorter timeout for initial testing
454 # header( "Cache-Control: s-maxage=2678400, must-revalidate, max-age=0" );
455 $wgRequest->response()->header( 'Cache-Control: s-maxage='.$this->mSquidMaxage.', must-revalidate, max-age=0' );
456 }
457 } else {
458 # We do want clients to cache if they can, but they *must* check for updates
459 # on revisiting the page.
460 wfDebug( "$fname: private caching; {$this->mLastModified} **\n", false );
461 $wgRequest->response()->header( 'Expires: ' . gmdate( 'D, d M Y H:i:s', 0 ) . ' GMT' );
462 $wgRequest->response()->header( "Cache-Control: private, must-revalidate, max-age=0" );
463 }
464 if($this->mLastModified) $wgRequest->response()->header( "Last-modified: {$this->mLastModified}" );
465 } else {
466 wfDebug( "$fname: no caching **\n", false );
467
468 # In general, the absence of a last modified header should be enough to prevent
469 # the client from using its cache. We send a few other things just to make sure.
470 $wgRequest->response()->header( 'Expires: ' . gmdate( 'D, d M Y H:i:s', 0 ) . ' GMT' );
471 $wgRequest->response()->header( 'Cache-Control: no-cache, no-store, max-age=0, must-revalidate' );
472 $wgRequest->response()->header( 'Pragma: no-cache' );
473 }
474 }
475
476 /**
477 * Finally, all the text has been munged and accumulated into
478 * the object, let's actually output it:
479 */
480 function output() {
481 global $wgUser, $wgOutputEncoding, $wgRequest;
482 global $wgContLanguageCode, $wgDebugRedirects, $wgMimeType;
483 global $wgJsMimeType, $wgStylePath, $wgUseAjax, $wgAjaxSearch, $wgScriptPath, $wgServer;
484 global $wgStyleVersion;
485
486 if( $this->mDoNothing ){
487 return;
488 }
489 $fname = 'OutputPage::output';
490 wfProfileIn( $fname );
491 $sk = $wgUser->getSkin();
492
493 if ( $wgUseAjax ) {
494 $this->addScript( "<script type=\"{$wgJsMimeType}\" src=\"{$wgStylePath}/common/ajax.js?$wgStyleVersion\"></script>\n" );
495 }
496
497 if ( $wgUseAjax && $wgAjaxSearch ) {
498 $this->addScript( "<script type=\"{$wgJsMimeType}\" src=\"{$wgStylePath}/common/ajaxsearch.js?$wgStyleVersion\"></script>\n" );
499 $this->addScript( "<script type=\"{$wgJsMimeType}\">hookEvent(\"load\", sajax_onload);</script>\n" );
500 }
501
502 if ( '' != $this->mRedirect ) {
503 if( substr( $this->mRedirect, 0, 4 ) != 'http' ) {
504 # Standards require redirect URLs to be absolute
505 global $wgServer;
506 $this->mRedirect = $wgServer . $this->mRedirect;
507 }
508 if( $this->mRedirectCode == '301') {
509 if( !$wgDebugRedirects ) {
510 $wgRequest->response()->header("HTTP/1.1 {$this->mRedirectCode} Moved Permanently");
511 }
512 $this->mLastModified = wfTimestamp( TS_RFC2822 );
513 }
514
515 $this->sendCacheControl();
516
517 if( $wgDebugRedirects ) {
518 $url = htmlspecialchars( $this->mRedirect );
519 print "<html>\n<head>\n<title>Redirect</title>\n</head>\n<body>\n";
520 print "<p>Location: <a href=\"$url\">$url</a></p>\n";
521 print "</body>\n</html>\n";
522 } else {
523 $wgRequest->response()->header( 'Location: '.$this->mRedirect );
524 }
525 wfProfileOut( $fname );
526 return;
527 }
528 elseif ( $this->mStatusCode )
529 {
530 $statusMessage = array(
531 100 => 'Continue',
532 101 => 'Switching Protocols',
533 102 => 'Processing',
534 200 => 'OK',
535 201 => 'Created',
536 202 => 'Accepted',
537 203 => 'Non-Authoritative Information',
538 204 => 'No Content',
539 205 => 'Reset Content',
540 206 => 'Partial Content',
541 207 => 'Multi-Status',
542 300 => 'Multiple Choices',
543 301 => 'Moved Permanently',
544 302 => 'Found',
545 303 => 'See Other',
546 304 => 'Not Modified',
547 305 => 'Use Proxy',
548 307 => 'Temporary Redirect',
549 400 => 'Bad Request',
550 401 => 'Unauthorized',
551 402 => 'Payment Required',
552 403 => 'Forbidden',
553 404 => 'Not Found',
554 405 => 'Method Not Allowed',
555 406 => 'Not Acceptable',
556 407 => 'Proxy Authentication Required',
557 408 => 'Request Timeout',
558 409 => 'Conflict',
559 410 => 'Gone',
560 411 => 'Length Required',
561 412 => 'Precondition Failed',
562 413 => 'Request Entity Too Large',
563 414 => 'Request-URI Too Large',
564 415 => 'Unsupported Media Type',
565 416 => 'Request Range Not Satisfiable',
566 417 => 'Expectation Failed',
567 422 => 'Unprocessable Entity',
568 423 => 'Locked',
569 424 => 'Failed Dependency',
570 500 => 'Internal Server Error',
571 501 => 'Not Implemented',
572 502 => 'Bad Gateway',
573 503 => 'Service Unavailable',
574 504 => 'Gateway Timeout',
575 505 => 'HTTP Version Not Supported',
576 507 => 'Insufficient Storage'
577 );
578
579 if ( $statusMessage[$this->mStatusCode] )
580 $wgRequest->response()->header( 'HTTP/1.1 ' . $this->mStatusCode . ' ' . $statusMessage[$this->mStatusCode] );
581 }
582
583 # Buffer output; final headers may depend on later processing
584 ob_start();
585
586 # Disable temporary placeholders, so that the skin produces HTML
587 $sk->postParseLinkColour( false );
588
589 $wgRequest->response()->header( "Content-type: $wgMimeType; charset={$wgOutputEncoding}" );
590 $wgRequest->response()->header( 'Content-language: '.$wgContLanguageCode );
591
592 if ($this->mArticleBodyOnly) {
593 $this->out($this->mBodytext);
594 } else {
595 wfProfileIn( 'Output-skin' );
596 $sk->outputPage( $this );
597 wfProfileOut( 'Output-skin' );
598 }
599
600 $this->sendCacheControl();
601 ob_end_flush();
602 wfProfileOut( $fname );
603 }
604
605 function out( $ins ) {
606 global $wgInputEncoding, $wgOutputEncoding, $wgContLang;
607 if ( 0 == strcmp( $wgInputEncoding, $wgOutputEncoding ) ) {
608 $outs = $ins;
609 } else {
610 $outs = $wgContLang->iconv( $wgInputEncoding, $wgOutputEncoding, $ins );
611 if ( false === $outs ) { $outs = $ins; }
612 }
613 print $outs;
614 }
615
616 function setEncodings() {
617 global $wgInputEncoding, $wgOutputEncoding;
618 global $wgUser, $wgContLang;
619
620 $wgInputEncoding = strtolower( $wgInputEncoding );
621
622 if ( empty( $_SERVER['HTTP_ACCEPT_CHARSET'] ) ) {
623 $wgOutputEncoding = strtolower( $wgOutputEncoding );
624 return;
625 }
626 $wgOutputEncoding = $wgInputEncoding;
627 }
628
629 /**
630 * Returns a HTML comment with the elapsed time since request.
631 * This method has no side effects.
632 * Use wfReportTime() instead.
633 * @return string
634 * @deprecated
635 */
636 function reportTime() {
637 $time = wfReportTime();
638 return $time;
639 }
640
641 /**
642 * Produce a "user is blocked" page
643 */
644 function blockedPage( $return = true ) {
645 global $wgUser, $wgContLang, $wgTitle;
646
647 $this->setPageTitle( wfMsg( 'blockedtitle' ) );
648 $this->setRobotpolicy( 'noindex,nofollow' );
649 $this->setArticleRelated( false );
650
651 $id = $wgUser->blockedBy();
652 $reason = $wgUser->blockedFor();
653 $ip = wfGetIP();
654
655 if ( is_numeric( $id ) ) {
656 $name = User::whoIs( $id );
657 } else {
658 $name = $id;
659 }
660 $link = '[[' . $wgContLang->getNsText( NS_USER ) . ":{$name}|{$name}]]";
661
662 $this->addWikiText( wfMsg( 'blockedtext', $link, $reason, $ip, $name ) );
663
664 # Don't auto-return to special pages
665 if( $return ) {
666 $return = $wgTitle->getNamespace() > -1 ? $wgTitle->getPrefixedText() : NULL;
667 $this->returnToMain( false, $return );
668 }
669 }
670
671 /**
672 * Note: these arguments are keys into wfMsg(), not text!
673 */
674 function showErrorPage( $title, $msg ) {
675 global $wgTitle;
676
677 $this->mDebugtext .= 'Original title: ' .
678 $wgTitle->getPrefixedText() . "\n";
679 $this->setPageTitle( wfMsg( $title ) );
680 $this->setHTMLTitle( wfMsg( 'errorpagetitle' ) );
681 $this->setRobotpolicy( 'noindex,nofollow' );
682 $this->setArticleRelated( false );
683 $this->enableClientCache( false );
684 $this->mRedirect = '';
685
686 $this->mBodytext = '';
687 $this->addWikiText( wfMsg( $msg ) );
688 $this->returnToMain( false );
689 }
690
691 /** @obsolete */
692 function errorpage( $title, $msg ) {
693 throw new ErrorPageError( $title, $msg );
694 }
695
696 /**
697 * Display an error page indicating that a given version of MediaWiki is
698 * required to use it
699 *
700 * @param mixed $version The version of MediaWiki needed to use the page
701 */
702 function versionRequired( $version ) {
703 $this->setPageTitle( wfMsg( 'versionrequired', $version ) );
704 $this->setHTMLTitle( wfMsg( 'versionrequired', $version ) );
705 $this->setRobotpolicy( 'noindex,nofollow' );
706 $this->setArticleRelated( false );
707 $this->mBodytext = '';
708
709 $this->addWikiText( wfMsg( 'versionrequiredtext', $version ) );
710 $this->returnToMain();
711 }
712
713 /**
714 * Display an error page noting that a given permission bit is required.
715 * @param string $permission key required
716 */
717 function permissionRequired( $permission ) {
718 global $wgGroupPermissions, $wgUser;
719
720 $this->setPageTitle( wfMsg( 'badaccess' ) );
721 $this->setHTMLTitle( wfMsg( 'errorpagetitle' ) );
722 $this->setRobotpolicy( 'noindex,nofollow' );
723 $this->setArticleRelated( false );
724 $this->mBodytext = '';
725
726 $groups = array();
727 foreach( $wgGroupPermissions as $key => $value ) {
728 if( isset( $value[$permission] ) && $value[$permission] == true ) {
729 $groupName = User::getGroupName( $key );
730 $groupPage = User::getGroupPage( $key );
731 if( $groupPage ) {
732 $skin =& $wgUser->getSkin();
733 $groups[] = '"'.$skin->makeLinkObj( $groupPage, $groupName ).'"';
734 } else {
735 $groups[] = '"'.$groupName.'"';
736 }
737 }
738 }
739 $n = count( $groups );
740 $groups = implode( ', ', $groups );
741 switch( $n ) {
742 case 0:
743 case 1:
744 case 2:
745 $message = wfMsgHtml( "badaccess-group$n", $groups );
746 break;
747 default:
748 $message = wfMsgHtml( 'badaccess-groups', $groups );
749 }
750 $this->addHtml( $message );
751 $this->returnToMain( false );
752 }
753
754 /**
755 * @deprecated
756 */
757 function sysopRequired() {
758 throw new MWException( "Call to deprecated OutputPage::sysopRequired() method\n" );
759 }
760
761 /**
762 * @deprecated
763 */
764 function developerRequired() {
765 throw new MWException( "Call to deprecated OutputPage::developerRequired() method\n" );
766 }
767
768 /**
769 * Produce the stock "please login to use the wiki" page
770 */
771 function loginToUse() {
772 global $wgUser, $wgTitle, $wgContLang;
773
774 if( $wgUser->isLoggedIn() ) {
775 $this->permissionRequired( 'read' );
776 return;
777 }
778
779 $skin = $wgUser->getSkin();
780
781 $this->setPageTitle( wfMsg( 'loginreqtitle' ) );
782 $this->setHtmlTitle( wfMsg( 'errorpagetitle' ) );
783 $this->setRobotPolicy( 'noindex,nofollow' );
784 $this->setArticleFlag( false );
785
786 $loginTitle = SpecialPage::getTitleFor( 'Userlogin' );
787 $loginLink = $skin->makeKnownLinkObj( $loginTitle, wfMsgHtml( 'loginreqlink' ), 'returnto=' . $wgTitle->getPrefixedUrl() );
788 $this->addHtml( wfMsgWikiHtml( 'loginreqpagetext', $loginLink ) );
789 $this->addHtml( "\n<!--" . $wgTitle->getPrefixedUrl() . "-->" );
790
791 # Don't return to the main page if the user can't read it
792 # otherwise we'll end up in a pointless loop
793 $mainPage = Title::newFromText( wfMsgForContent( 'mainpage' ) );
794 if( $mainPage->userCanRead() )
795 $this->returnToMain( true, $mainPage );
796 }
797
798 /** @obsolete */
799 function databaseError( $fname, $sql, $error, $errno ) {
800 throw new MWException( "OutputPage::databaseError is obsolete\n" );
801 }
802
803 function readOnlyPage( $source = null, $protected = false ) {
804 global $wgUser, $wgReadOnlyFile, $wgReadOnly, $wgTitle;
805
806 $this->setRobotpolicy( 'noindex,nofollow' );
807 $this->setArticleRelated( false );
808
809 if( $protected ) {
810 $skin = $wgUser->getSkin();
811 $this->setPageTitle( wfMsg( 'viewsource' ) );
812 $this->setSubtitle( wfMsg( 'viewsourcefor', $skin->makeKnownLinkObj( $wgTitle ) ) );
813
814 # Determine if protection is due to the page being a system message
815 # and show an appropriate explanation
816 if( $wgTitle->getNamespace() == NS_MEDIAWIKI && !$wgUser->isAllowed( 'editinterface' ) ) {
817 $this->addWikiText( wfMsg( 'protectedinterface' ) );
818 } else {
819 $this->addWikiText( wfMsg( 'protectedtext' ) );
820 }
821 } else {
822 $this->setPageTitle( wfMsg( 'readonly' ) );
823 if ( $wgReadOnly ) {
824 $reason = $wgReadOnly;
825 } else {
826 $reason = file_get_contents( $wgReadOnlyFile );
827 }
828 $this->addWikiText( wfMsg( 'readonlytext', $reason ) );
829 }
830
831 if( is_string( $source ) ) {
832 if( strcmp( $source, '' ) == 0 ) {
833 global $wgTitle;
834 if ( $wgTitle->getNamespace() == NS_MEDIAWIKI ) {
835 $source = wfMsgWeirdKey ( $wgTitle->getText() );
836 } else {
837 $source = '';
838 }
839 }
840 $rows = $wgUser->getIntOption( 'rows' );
841 $cols = $wgUser->getIntOption( 'cols' );
842
843 $text = "\n<textarea name='wpTextbox1' id='wpTextbox1' cols='$cols' rows='$rows' readonly='readonly'>" .
844 htmlspecialchars( $source ) . "\n</textarea>";
845 $this->addHTML( $text );
846 }
847
848 $this->returnToMain( false );
849 }
850
851 /** @obsolete */
852 function fatalError( $message ) {
853 throw new FatalError( $message );
854 }
855
856 /** @obsolete */
857 function unexpectedValueError( $name, $val ) {
858 throw new FatalError( wfMsg( 'unexpected', $name, $val ) );
859 }
860
861 /** @obsolete */
862 function fileCopyError( $old, $new ) {
863 throw new FatalError( wfMsg( 'filecopyerror', $old, $new ) );
864 }
865
866 /** @obsolete */
867 function fileRenameError( $old, $new ) {
868 throw new FatalError( wfMsg( 'filerenameerror', $old, $new ) );
869 }
870
871 /** @obsolete */
872 function fileDeleteError( $name ) {
873 throw new FatalError( wfMsg( 'filedeleteerror', $name ) );
874 }
875
876 /** @obsolete */
877 function fileNotFoundError( $name ) {
878 throw new FatalError( wfMsg( 'filenotfound', $name ) );
879 }
880
881 function showFatalError( $message ) {
882 $this->setPageTitle( wfMsg( "internalerror" ) );
883 $this->setRobotpolicy( "noindex,nofollow" );
884 $this->setArticleRelated( false );
885 $this->enableClientCache( false );
886 $this->mRedirect = '';
887 $this->mBodytext = $message;
888 }
889
890 function showUnexpectedValueError( $name, $val ) {
891 $this->showFatalError( wfMsg( 'unexpected', $name, $val ) );
892 }
893
894 function showFileCopyError( $old, $new ) {
895 $this->showFatalError( wfMsg( 'filecopyerror', $old, $new ) );
896 }
897
898 function showFileRenameError( $old, $new ) {
899 $this->showFatalError( wfMsg( 'filerenameerror', $old, $new ) );
900 }
901
902 function showFileDeleteError( $name ) {
903 $this->showFatalError( wfMsg( 'filedeleteerror', $name ) );
904 }
905
906 function showFileNotFoundError( $name ) {
907 $this->showFatalError( wfMsg( 'filenotfound', $name ) );
908 }
909
910 /**
911 * return from error messages or notes
912 * @param $auto automatically redirect the user after 10 seconds
913 * @param $returnto page title to return to. Default is Main Page.
914 */
915 function returnToMain( $auto = true, $returnto = NULL ) {
916 global $wgUser, $wgOut, $wgRequest;
917
918 if ( $returnto == NULL ) {
919 $returnto = $wgRequest->getText( 'returnto' );
920 }
921
922 if ( '' === $returnto ) {
923 $returnto = wfMsgForContent( 'mainpage' );
924 }
925
926 if ( is_object( $returnto ) ) {
927 $titleObj = $returnto;
928 } else {
929 $titleObj = Title::newFromText( $returnto );
930 }
931 if ( !is_object( $titleObj ) ) {
932 $titleObj = Title::newMainPage();
933 }
934
935 $sk = $wgUser->getSkin();
936 $link = $sk->makeLinkObj( $titleObj, '' );
937
938 $r = wfMsg( 'returnto', $link );
939 if ( $auto ) {
940 $wgOut->addMeta( 'http:Refresh', '10;url=' . $titleObj->escapeFullURL() );
941 }
942 $wgOut->addHTML( "\n<p>$r</p>\n" );
943 }
944
945 /**
946 * This function takes the title (first item of mGoodLinks), categories, existing and broken links for the page
947 * and uses the first 10 of them for META keywords
948 */
949 function addKeywords( &$parserOutput ) {
950 global $wgTitle;
951 $this->addKeyword( $wgTitle->getPrefixedText() );
952 $count = 1;
953 $links2d =& $parserOutput->getLinks();
954 if ( !is_array( $links2d ) ) {
955 return;
956 }
957 foreach ( $links2d as $ns => $dbkeys ) {
958 foreach( $dbkeys as $dbkey => $id ) {
959 $this->addKeyword( $dbkey );
960 if ( ++$count > 10 ) {
961 break 2;
962 }
963 }
964 }
965 }
966
967 /**
968 * @access private
969 * @return string
970 */
971 function headElement() {
972 global $wgDocType, $wgDTD, $wgContLanguageCode, $wgOutputEncoding, $wgMimeType;
973 global $wgUser, $wgContLang, $wgUseTrackbacks, $wgTitle, $wgStyleVersion;
974
975 if( $wgMimeType == 'text/xml' || $wgMimeType == 'application/xhtml+xml' || $wgMimeType == 'application/xml' ) {
976 $ret = "<?xml version=\"1.0\" encoding=\"$wgOutputEncoding\" ?>\n";
977 } else {
978 $ret = '';
979 }
980
981 $ret .= "<!DOCTYPE html PUBLIC \"$wgDocType\"\n \"$wgDTD\">\n";
982
983 if ( '' == $this->getHTMLTitle() ) {
984 $this->setHTMLTitle( wfMsg( 'pagetitle', $this->getPageTitle() ));
985 }
986
987 $rtl = $wgContLang->isRTL() ? " dir='RTL'" : '';
988 $ret .= "<html xmlns=\"http://www.w3.org/1999/xhtml\" xml:lang=\"$wgContLanguageCode\" lang=\"$wgContLanguageCode\" $rtl>\n";
989 $ret .= "<head>\n<title>" . htmlspecialchars( $this->getHTMLTitle() ) . "</title>\n";
990 array_push( $this->mMetatags, array( "http:Content-type", "$wgMimeType; charset={$wgOutputEncoding}" ) );
991
992 $ret .= $this->getHeadLinks();
993 global $wgStylePath;
994 if( $this->isPrintable() ) {
995 $media = '';
996 } else {
997 $media = "media='print'";
998 }
999 $printsheet = htmlspecialchars( "$wgStylePath/common/wikiprintable.css?$wgStyleVersion" );
1000 $ret .= "<link rel='stylesheet' type='text/css' $media href='$printsheet' />\n";
1001
1002 $sk = $wgUser->getSkin();
1003 $ret .= $sk->getHeadScripts();
1004 $ret .= $this->mScripts;
1005 $ret .= $sk->getUserStyles();
1006
1007 if ($wgUseTrackbacks && $this->isArticleRelated())
1008 $ret .= $wgTitle->trackbackRDF();
1009
1010 $ret .= "</head>\n";
1011 return $ret;
1012 }
1013
1014 function getHeadLinks() {
1015 global $wgRequest;
1016 $ret = '';
1017 foreach ( $this->mMetatags as $tag ) {
1018 if ( 0 == strcasecmp( 'http:', substr( $tag[0], 0, 5 ) ) ) {
1019 $a = 'http-equiv';
1020 $tag[0] = substr( $tag[0], 5 );
1021 } else {
1022 $a = 'name';
1023 }
1024 $ret .= "<meta $a=\"{$tag[0]}\" content=\"{$tag[1]}\" />\n";
1025 }
1026
1027 $p = $this->mRobotpolicy;
1028 if( $p !== '' && $p != 'index,follow' ) {
1029 // http://www.robotstxt.org/wc/meta-user.html
1030 // Only show if it's different from the default robots policy
1031 $ret .= "<meta name=\"robots\" content=\"$p\" />\n";
1032 }
1033
1034 if ( count( $this->mKeywords ) > 0 ) {
1035 $strip = array(
1036 "/<.*?>/" => '',
1037 "/_/" => ' '
1038 );
1039 $ret .= "<meta name=\"keywords\" content=\"" .
1040 htmlspecialchars(preg_replace(array_keys($strip), array_values($strip),implode( ",", $this->mKeywords ))) . "\" />\n";
1041 }
1042 foreach ( $this->mLinktags as $tag ) {
1043 $ret .= '<link';
1044 foreach( $tag as $attr => $val ) {
1045 $ret .= " $attr=\"" . htmlspecialchars( $val ) . "\"";
1046 }
1047 $ret .= " />\n";
1048 }
1049 if( $this->isSyndicated() ) {
1050 # FIXME: centralize the mime-type and name information in Feed.php
1051 $link = $wgRequest->escapeAppendQuery( 'feed=rss' );
1052 $ret .= "<link rel='alternate' type='application/rss+xml' title='RSS 2.0' href='$link' />\n";
1053 $link = $wgRequest->escapeAppendQuery( 'feed=atom' );
1054 $ret .= "<link rel='alternate' type='application/atom+xml' title='Atom 1.0' href='$link' />\n";
1055 }
1056
1057 return $ret;
1058 }
1059
1060 /**
1061 * Turn off regular page output and return an error reponse
1062 * for when rate limiting has triggered.
1063 * @todo i18n
1064 * @access public
1065 */
1066 function rateLimited() {
1067 global $wgOut;
1068 $wgOut->disable();
1069 wfHttpError( 500, 'Internal Server Error',
1070 'Sorry, the server has encountered an internal error. ' .
1071 'Please wait a moment and hit "refresh" to submit the request again.' );
1072 }
1073
1074 /**
1075 * Show an "add new section" link?
1076 *
1077 * @return bool True if the parser output instructs us to add one
1078 */
1079 function showNewSectionLink() {
1080 return $this->mNewSectionLink;
1081 }
1082
1083 }
1084 ?>