Removed followRedirectText, unused
[lhc/web/wiklou.git] / includes / Article.php
1 <?php
2 /**
3 * File for articles
4 * @file
5 */
6
7 /**
8 * Class for viewing MediaWiki article and history.
9 *
10 * This maintains WikiPage functions for backwards compatibility.
11 *
12 * @TODO: move and rewrite code to an Action class
13 *
14 * See design.txt for an overview.
15 * Note: edit user interface and cache support functions have been
16 * moved to separate EditPage and HTMLFileCache classes.
17 *
18 * @internal documentation reviewed 15 Mar 2010
19 */
20 class Article extends Page {
21 /**@{{
22 * @private
23 */
24
25 /**
26 * @var RequestContext
27 */
28 protected $mContext;
29
30 /**
31 * @var WikiPage
32 */
33 protected $mPage;
34
35 var $mContent; // !<
36 var $mContentLoaded = false; // !<
37 var $mOldId; // !<
38
39 /**
40 * @var Title
41 */
42 var $mRedirectedFrom = null;
43
44 /**
45 * @var mixed: boolean false or URL string
46 */
47 var $mRedirectUrl = false; // !<
48 var $mRevIdFetched = 0; // !<
49
50 /**
51 * @var Revision
52 */
53 var $mRevision = null;
54
55 /**
56 * @var ParserOutput
57 */
58 var $mParserOutput;
59
60 /**@}}*/
61
62 /**
63 * Constructor and clear the article
64 * @param $title Title Reference to a Title object.
65 * @param $oldId Integer revision ID, null to fetch from request, zero for current
66 */
67 public function __construct( Title $title, $oldId = null ) {
68 $this->mOldId = $oldId;
69 $this->mPage = $this->newPage( $title );
70 }
71
72 protected function newPage( Title $title ) {
73 return new WikiPage( $title );
74 }
75
76 /**
77 * Constructor from a page id
78 * @param $id Int article ID to load
79 */
80 public static function newFromID( $id ) {
81 $t = Title::newFromID( $id );
82 # @todo FIXME: Doesn't inherit right
83 return $t == null ? null : new self( $t );
84 # return $t == null ? null : new static( $t ); // PHP 5.3
85 }
86
87 /**
88 * Create an Article object of the appropriate class for the given page.
89 *
90 * @param $title Title
91 * @param $context RequestContext
92 * @return Article object
93 */
94 public static function newFromTitle( $title, RequestContext $context ) {
95 if ( NS_MEDIA == $title->getNamespace() ) {
96 // FIXME: where should this go?
97 $title = Title::makeTitle( NS_FILE, $title->getDBkey() );
98 }
99
100 $page = null;
101 wfRunHooks( 'ArticleFromTitle', array( &$title, &$page ) );
102 if ( !$page ) {
103 switch( $title->getNamespace() ) {
104 case NS_FILE:
105 $page = new ImagePage( $title );
106 break;
107 case NS_CATEGORY:
108 $page = new CategoryPage( $title );
109 break;
110 default:
111 $page = new Article( $title );
112 }
113 }
114 $page->setContext( $context );
115
116 return $page;
117 }
118
119 /**
120 * Tell the page view functions that this view was redirected
121 * from another page on the wiki.
122 * @param $from Title object.
123 */
124 public function setRedirectedFrom( Title $from ) {
125 $this->mRedirectedFrom = $from;
126 }
127
128 /**
129 * Get the title object of the article
130 * @return Title object of this page
131 */
132 public function getTitle() {
133 return $this->mPage->getTitle();
134 }
135
136 /**
137 * Clear the object
138 * @todo FIXME: Shouldn't this be public?
139 * @private
140 */
141 public function clear() {
142 $this->mContentLoaded = false;
143
144 $this->mRedirectedFrom = null; # Title object if set
145 $this->mRevIdFetched = 0;
146 $this->mRedirectUrl = false;
147
148 $this->mPage->clear();
149 }
150
151 /**
152 * Note that getContent/loadContent do not follow redirects anymore.
153 * If you need to fetch redirectable content easily, try
154 * the shortcut in Article::followRedirect()
155 *
156 * This function has side effects! Do not use this function if you
157 * only want the real revision text if any.
158 *
159 * @return Return the text of this revision
160 */
161 public function getContent() {
162 global $wgUser;
163
164 wfProfileIn( __METHOD__ );
165
166 if ( $this->mPage->getID() === 0 ) {
167 # If this is a MediaWiki:x message, then load the messages
168 # and return the message value for x.
169 if ( $this->getTitle()->getNamespace() == NS_MEDIAWIKI ) {
170 $text = $this->getTitle()->getDefaultMessageText();
171 if ( $text === false ) {
172 $text = '';
173 }
174 } else {
175 $text = wfMsgExt( $wgUser->isLoggedIn() ? 'noarticletext' : 'noarticletextanon', 'parsemag' );
176 }
177 wfProfileOut( __METHOD__ );
178
179 return $text;
180 } else {
181 $this->loadContent();
182 wfProfileOut( __METHOD__ );
183
184 return $this->mContent;
185 }
186 }
187
188 /**
189 * @return int The oldid of the article that is to be shown, 0 for the
190 * current revision
191 */
192 public function getOldID() {
193 if ( is_null( $this->mOldId ) ) {
194 $this->mOldId = $this->getOldIDFromRequest();
195 }
196
197 return $this->mOldId;
198 }
199
200 /**
201 * Sets $this->mRedirectUrl to a correct URL if the query parameters are incorrect
202 *
203 * @return int The old id for the request
204 */
205 public function getOldIDFromRequest() {
206 global $wgRequest;
207
208 $this->mRedirectUrl = false;
209
210 $oldid = $wgRequest->getVal( 'oldid' );
211
212 if ( isset( $oldid ) ) {
213 $oldid = intval( $oldid );
214 if ( $wgRequest->getVal( 'direction' ) == 'next' ) {
215 $nextid = $this->getTitle()->getNextRevisionID( $oldid );
216 if ( $nextid ) {
217 $oldid = $nextid;
218 } else {
219 $this->mRedirectUrl = $this->getTitle()->getFullURL( 'redirect=no' );
220 }
221 } elseif ( $wgRequest->getVal( 'direction' ) == 'prev' ) {
222 $previd = $this->getTitle()->getPreviousRevisionID( $oldid );
223 if ( $previd ) {
224 $oldid = $previd;
225 }
226 }
227 }
228
229 if ( !$oldid ) {
230 $oldid = 0;
231 }
232
233 return $oldid;
234 }
235
236 /**
237 * Load the revision (including text) into this object
238 */
239 function loadContent() {
240 if ( $this->mContentLoaded ) {
241 return;
242 }
243
244 wfProfileIn( __METHOD__ );
245
246 $this->fetchContent( $this->getOldID() );
247
248 wfProfileOut( __METHOD__ );
249 }
250
251 /**
252 * Get text of an article from database
253 * Does *NOT* follow redirects.
254 *
255 * @param $oldid Int: 0 for whatever the latest revision is
256 * @return mixed string containing article contents, or false if null
257 */
258 function fetchContent( $oldid = 0 ) {
259 if ( $this->mContentLoaded ) {
260 return $this->mContent;
261 }
262
263 # Pre-fill content with error message so that if something
264 # fails we'll have something telling us what we intended.
265 $t = $this->getTitle()->getPrefixedText();
266 $d = $oldid ? wfMsgExt( 'missingarticle-rev', array( 'escape' ), $oldid ) : '';
267 $this->mContent = wfMsgNoTrans( 'missing-article', $t, $d ) ;
268
269 if ( $oldid ) {
270 $revision = Revision::newFromId( $oldid );
271 if ( !$revision ) {
272 wfDebug( __METHOD__ . " failed to retrieve specified revision, id $oldid\n" );
273 return false;
274 }
275 // Revision title doesn't match the page title given?
276 if ( $this->mPage->getID() != $revision->getPage() ) {
277 $function = array( get_class( $this->mPage ), 'newFromID' );
278 $this->mPage = call_user_func( $function, $revision->getPage() );
279 if ( !$this->mPage->getId() ) {
280 wfDebug( __METHOD__ . " failed to get page data linked to revision id $oldid\n" );
281 return false;
282 }
283 }
284 } else {
285 if ( !$this->mPage->getLatest() ) {
286 wfDebug( __METHOD__ . " failed to find page data for title " . $this->getTitle()->getPrefixedText() . "\n" );
287 return false;
288 }
289
290 $revision = $this->mPage->getRevision();
291 if ( !$revision ) {
292 wfDebug( __METHOD__ . " failed to retrieve current page, rev_id " . $this->mPage->getLatest() . "\n" );
293 return false;
294 }
295 }
296
297 // @todo FIXME: Horrible, horrible! This content-loading interface just plain sucks.
298 // We should instead work with the Revision object when we need it...
299 $this->mContent = $revision->getText( Revision::FOR_THIS_USER ); // Loads if user is allowed
300
301 $this->mRevIdFetched = $revision->getId();
302 $this->mContentLoaded = true;
303 $this->mRevision =& $revision;
304
305 wfRunHooks( 'ArticleAfterFetchContent', array( &$this, &$this->mContent ) );
306
307 return $this->mContent;
308 }
309
310 /**
311 * No-op
312 * @deprecated since 1.18
313 */
314 public function forUpdate() {
315 wfDeprecated( __METHOD__ );
316 }
317
318 /**
319 * Returns true if the currently-referenced revision is the current edit
320 * to this page (and it exists).
321 * @return bool
322 */
323 public function isCurrent() {
324 # If no oldid, this is the current version.
325 if ( $this->getOldID() == 0 ) {
326 return true;
327 }
328
329 return $this->mPage->exists() && $this->mRevision && $this->mRevision->isCurrent();
330 }
331
332 /**
333 * Use this to fetch the rev ID used on page views
334 *
335 * @return int revision ID of last article revision
336 */
337 public function getRevIdFetched() {
338 if ( $this->mRevIdFetched ) {
339 return $this->mRevIdFetched;
340 } else {
341 return $this->mPage->getLatest();
342 }
343 }
344
345 /**
346 * This is the default action of the index.php entry point: just view the
347 * page of the given title.
348 */
349 public function view() {
350 global $wgUser, $wgOut, $wgRequest, $wgParser;
351 global $wgUseFileCache, $wgUseETag;
352
353 wfProfileIn( __METHOD__ );
354
355 # Get variables from query string
356 $oldid = $this->getOldID();
357
358 # getOldID may want us to redirect somewhere else
359 if ( $this->mRedirectUrl ) {
360 $wgOut->redirect( $this->mRedirectUrl );
361 wfDebug( __METHOD__ . ": redirecting due to oldid\n" );
362 wfProfileOut( __METHOD__ );
363
364 return;
365 }
366
367 $wgOut->setArticleFlag( true );
368 # Set page title (may be overridden by DISPLAYTITLE)
369 $wgOut->setPageTitle( $this->getTitle()->getPrefixedText() );
370
371 # If we got diff in the query, we want to see a diff page instead of the article.
372 if ( $wgRequest->getCheck( 'diff' ) ) {
373 wfDebug( __METHOD__ . ": showing diff page\n" );
374 $this->showDiffPage();
375 wfProfileOut( __METHOD__ );
376
377 return;
378 }
379
380 # Allow frames by default
381 $wgOut->allowClickjacking();
382
383 $parserCache = ParserCache::singleton();
384
385 $parserOptions = $this->mPage->getParserOptions();
386 # Render printable version, use printable version cache
387 if ( $wgOut->isPrintable() ) {
388 $parserOptions->setIsPrintable( true );
389 $parserOptions->setEditSection( false );
390 } elseif ( $wgUseETag && !$this->getTitle()->quickUserCan( 'edit' ) ) {
391 $parserOptions->setEditSection( false );
392 }
393
394 # Try client and file cache
395 if ( $oldid === 0 && $this->mPage->checkTouched() ) {
396 if ( $wgUseETag ) {
397 $wgOut->setETag( $parserCache->getETag( $this, $parserOptions ) );
398 }
399
400 # Is it client cached?
401 if ( $wgOut->checkLastModified( $this->mPage->getTouched() ) ) {
402 wfDebug( __METHOD__ . ": done 304\n" );
403 wfProfileOut( __METHOD__ );
404
405 return;
406 # Try file cache
407 } elseif ( $wgUseFileCache && $this->tryFileCache() ) {
408 wfDebug( __METHOD__ . ": done file cache\n" );
409 # tell wgOut that output is taken care of
410 $wgOut->disable();
411 $this->mPage->viewUpdates();
412 wfProfileOut( __METHOD__ );
413
414 return;
415 }
416 }
417
418 if ( !$wgUseETag && !$this->getTitle()->quickUserCan( 'edit' ) ) {
419 $parserOptions->setEditSection( false );
420 }
421
422 # Should the parser cache be used?
423 $useParserCache = $this->useParserCache( $oldid );
424 wfDebug( 'Article::view using parser cache: ' . ( $useParserCache ? 'yes' : 'no' ) . "\n" );
425 if ( $wgUser->getStubThreshold() ) {
426 wfIncrStats( 'pcache_miss_stub' );
427 }
428
429 $wasRedirected = $this->showRedirectedFromHeader();
430 $this->showNamespaceHeader();
431
432 # Iterate through the possible ways of constructing the output text.
433 # Keep going until $outputDone is set, or we run out of things to do.
434 $pass = 0;
435 $outputDone = false;
436 $this->mParserOutput = false;
437
438 while ( !$outputDone && ++$pass ) {
439 switch( $pass ) {
440 case 1:
441 wfRunHooks( 'ArticleViewHeader', array( &$this, &$outputDone, &$useParserCache ) );
442 break;
443 case 2:
444 # Try the parser cache
445 if ( $useParserCache ) {
446 $this->mParserOutput = $parserCache->get( $this, $parserOptions );
447
448 if ( $this->mParserOutput !== false ) {
449 wfDebug( __METHOD__ . ": showing parser cache contents\n" );
450 $wgOut->addParserOutput( $this->mParserOutput );
451 # Ensure that UI elements requiring revision ID have
452 # the correct version information.
453 $wgOut->setRevisionId( $this->mPage->getLatest() );
454 $outputDone = true;
455 # Preload timestamp to avoid a DB hit
456 if ( isset( $this->mParserOutput->mTimestamp ) ) {
457 $this->mPage->setTimestamp( $this->mParserOutput->mTimestamp );
458 }
459 }
460 }
461 break;
462 case 3:
463 $text = $this->getContent();
464 if ( $text === false || $this->mPage->getID() == 0 ) {
465 wfDebug( __METHOD__ . ": showing missing article\n" );
466 $this->showMissingArticle();
467 wfProfileOut( __METHOD__ );
468 return;
469 }
470
471 # Another whitelist check in case oldid is altering the title
472 if ( !$this->getTitle()->userCanRead() ) {
473 wfDebug( __METHOD__ . ": denied on secondary read check\n" );
474 $wgOut->loginToUse();
475 $wgOut->output();
476 $wgOut->disable();
477 wfProfileOut( __METHOD__ );
478 return;
479 }
480
481 # Are we looking at an old revision
482 if ( $oldid && !is_null( $this->mRevision ) ) {
483 $this->setOldSubtitle( $oldid );
484
485 if ( !$this->showDeletedRevisionHeader() ) {
486 wfDebug( __METHOD__ . ": cannot view deleted revision\n" );
487 wfProfileOut( __METHOD__ );
488 return;
489 }
490
491 # If this "old" version is the current, then try the parser cache...
492 if ( $oldid === $this->mPage->getLatest() && $this->useParserCache( false ) ) {
493 $this->mParserOutput = $parserCache->get( $this, $parserOptions );
494 if ( $this->mParserOutput ) {
495 wfDebug( __METHOD__ . ": showing parser cache for current rev permalink\n" );
496 $wgOut->addParserOutput( $this->mParserOutput );
497 $wgOut->setRevisionId( $this->mPage->getLatest() );
498 $outputDone = true;
499 break;
500 }
501 }
502 }
503
504 # Ensure that UI elements requiring revision ID have
505 # the correct version information.
506 $wgOut->setRevisionId( $this->getRevIdFetched() );
507
508 # Pages containing custom CSS or JavaScript get special treatment
509 if ( $this->getTitle()->isCssOrJsPage() || $this->getTitle()->isCssJsSubpage() ) {
510 wfDebug( __METHOD__ . ": showing CSS/JS source\n" );
511 $this->showCssOrJsPage();
512 $outputDone = true;
513 } else {
514 $rt = Title::newFromRedirectArray( $text );
515 if ( $rt ) {
516 wfDebug( __METHOD__ . ": showing redirect=no page\n" );
517 # Viewing a redirect page (e.g. with parameter redirect=no)
518 # Don't append the subtitle if this was an old revision
519 $wgOut->addHTML( $this->viewRedirect( $rt, !$wasRedirected && $this->isCurrent() ) );
520 # Parse just to get categories, displaytitle, etc.
521 $this->mParserOutput = $wgParser->parse( $text, $this->getTitle(), $parserOptions );
522 $wgOut->addParserOutputNoText( $this->mParserOutput );
523 $outputDone = true;
524 }
525 }
526 break;
527 case 4:
528 # Run the parse, protected by a pool counter
529 wfDebug( __METHOD__ . ": doing uncached parse\n" );
530
531 $key = $parserCache->getKey( $this, $parserOptions );
532 $poolArticleView = new PoolWorkArticleView( $this, $key, $useParserCache, $parserOptions );
533
534 if ( !$poolArticleView->execute() ) {
535 # Connection or timeout error
536 wfProfileOut( __METHOD__ );
537 return;
538 } else {
539 $outputDone = true;
540 }
541 break;
542 # Should be unreachable, but just in case...
543 default:
544 break 2;
545 }
546 }
547
548 # Adjust the title if it was set by displaytitle, -{T|}- or language conversion
549 if ( $this->mParserOutput ) {
550 $titleText = $this->mParserOutput->getTitleText();
551
552 if ( strval( $titleText ) !== '' ) {
553 $wgOut->setPageTitle( $titleText );
554 }
555 }
556
557 # For the main page, overwrite the <title> element with the con-
558 # tents of 'pagetitle-view-mainpage' instead of the default (if
559 # that's not empty).
560 # This message always exists because it is in the i18n files
561 if ( $this->getTitle()->equals( Title::newMainPage() ) ) {
562 $msg = wfMessage( 'pagetitle-view-mainpage' )->inContentLanguage();
563 if ( !$msg->isDisabled() ) {
564 $wgOut->setHTMLTitle( $msg->title( $this->getTitle() )->text() );
565 }
566 }
567
568 # Now that we've filled $this->mParserOutput, we know whether
569 # there are any __NOINDEX__ tags on the page
570 $policy = $this->getRobotPolicy( 'view' );
571 $wgOut->setIndexPolicy( $policy['index'] );
572 $wgOut->setFollowPolicy( $policy['follow'] );
573
574 $this->showViewFooter();
575 $this->mPage->viewUpdates();
576 wfProfileOut( __METHOD__ );
577 }
578
579 /**
580 * Show a diff page according to current request variables. For use within
581 * Article::view() only, other callers should use the DifferenceEngine class.
582 */
583 public function showDiffPage() {
584 global $wgRequest, $wgUser;
585
586 $diff = $wgRequest->getVal( 'diff' );
587 $rcid = $wgRequest->getVal( 'rcid' );
588 $diffOnly = $wgRequest->getBool( 'diffonly', $wgUser->getOption( 'diffonly' ) );
589 $purge = $wgRequest->getVal( 'action' ) == 'purge';
590 $unhide = $wgRequest->getInt( 'unhide' ) == 1;
591 $oldid = $this->getOldID();
592
593 $de = new DifferenceEngine( $this->getTitle(), $oldid, $diff, $rcid, $purge, $unhide );
594 // DifferenceEngine directly fetched the revision:
595 $this->mRevIdFetched = $de->mNewid;
596 $de->showDiffPage( $diffOnly );
597
598 if ( $diff == 0 || $diff == $this->mPage->getLatest() ) {
599 # Run view updates for current revision only
600 $this->mPage->viewUpdates();
601 }
602 }
603
604 /**
605 * Show a page view for a page formatted as CSS or JavaScript. To be called by
606 * Article::view() only.
607 *
608 * This is hooked by SyntaxHighlight_GeSHi to do syntax highlighting of these
609 * page views.
610 */
611 protected function showCssOrJsPage() {
612 global $wgOut;
613
614 $wgOut->wrapWikiMsg( "<div id='mw-clearyourcache'>\n$1\n</div>", 'clearyourcache' );
615
616 // Give hooks a chance to customise the output
617 if ( wfRunHooks( 'ShowRawCssJs', array( $this->mContent, $this->getTitle(), $wgOut ) ) ) {
618 // Wrap the whole lot in a <pre> and don't parse
619 $m = array();
620 preg_match( '!\.(css|js)$!u', $this->getTitle()->getText(), $m );
621 $wgOut->addHTML( "<pre class=\"mw-code mw-{$m[1]}\" dir=\"ltr\">\n" );
622 $wgOut->addHTML( htmlspecialchars( $this->mContent ) );
623 $wgOut->addHTML( "\n</pre>\n" );
624 }
625 }
626
627 /**
628 * Get the robot policy to be used for the current view
629 * @param $action String the action= GET parameter
630 * @return Array the policy that should be set
631 * TODO: actions other than 'view'
632 */
633 public function getRobotPolicy( $action ) {
634 global $wgOut, $wgArticleRobotPolicies, $wgNamespaceRobotPolicies;
635 global $wgDefaultRobotPolicy, $wgRequest;
636
637 $ns = $this->getTitle()->getNamespace();
638
639 if ( $ns == NS_USER || $ns == NS_USER_TALK ) {
640 # Don't index user and user talk pages for blocked users (bug 11443)
641 if ( !$this->getTitle()->isSubpage() ) {
642 if ( Block::newFromTarget( null, $this->getTitle()->getText() ) instanceof Block ) {
643 return array(
644 'index' => 'noindex',
645 'follow' => 'nofollow'
646 );
647 }
648 }
649 }
650
651 if ( $this->mPage->getID() === 0 || $this->getOldID() ) {
652 # Non-articles (special pages etc), and old revisions
653 return array(
654 'index' => 'noindex',
655 'follow' => 'nofollow'
656 );
657 } elseif ( $wgOut->isPrintable() ) {
658 # Discourage indexing of printable versions, but encourage following
659 return array(
660 'index' => 'noindex',
661 'follow' => 'follow'
662 );
663 } elseif ( $wgRequest->getInt( 'curid' ) ) {
664 # For ?curid=x urls, disallow indexing
665 return array(
666 'index' => 'noindex',
667 'follow' => 'follow'
668 );
669 }
670
671 # Otherwise, construct the policy based on the various config variables.
672 $policy = self::formatRobotPolicy( $wgDefaultRobotPolicy );
673
674 if ( isset( $wgNamespaceRobotPolicies[$ns] ) ) {
675 # Honour customised robot policies for this namespace
676 $policy = array_merge(
677 $policy,
678 self::formatRobotPolicy( $wgNamespaceRobotPolicies[$ns] )
679 );
680 }
681 if ( $this->getTitle()->canUseNoindex() && is_object( $this->mParserOutput ) && $this->mParserOutput->getIndexPolicy() ) {
682 # __INDEX__ and __NOINDEX__ magic words, if allowed. Incorporates
683 # a final sanity check that we have really got the parser output.
684 $policy = array_merge(
685 $policy,
686 array( 'index' => $this->mParserOutput->getIndexPolicy() )
687 );
688 }
689
690 if ( isset( $wgArticleRobotPolicies[$this->getTitle()->getPrefixedText()] ) ) {
691 # (bug 14900) site config can override user-defined __INDEX__ or __NOINDEX__
692 $policy = array_merge(
693 $policy,
694 self::formatRobotPolicy( $wgArticleRobotPolicies[$this->getTitle()->getPrefixedText()] )
695 );
696 }
697
698 return $policy;
699 }
700
701 /**
702 * Converts a String robot policy into an associative array, to allow
703 * merging of several policies using array_merge().
704 * @param $policy Mixed, returns empty array on null/false/'', transparent
705 * to already-converted arrays, converts String.
706 * @return Array: 'index' => <indexpolicy>, 'follow' => <followpolicy>
707 */
708 public static function formatRobotPolicy( $policy ) {
709 if ( is_array( $policy ) ) {
710 return $policy;
711 } elseif ( !$policy ) {
712 return array();
713 }
714
715 $policy = explode( ',', $policy );
716 $policy = array_map( 'trim', $policy );
717
718 $arr = array();
719 foreach ( $policy as $var ) {
720 if ( in_array( $var, array( 'index', 'noindex' ) ) ) {
721 $arr['index'] = $var;
722 } elseif ( in_array( $var, array( 'follow', 'nofollow' ) ) ) {
723 $arr['follow'] = $var;
724 }
725 }
726
727 return $arr;
728 }
729
730 /**
731 * If this request is a redirect view, send "redirected from" subtitle to
732 * $wgOut. Returns true if the header was needed, false if this is not a
733 * redirect view. Handles both local and remote redirects.
734 *
735 * @return boolean
736 */
737 public function showRedirectedFromHeader() {
738 global $wgOut, $wgRequest, $wgRedirectSources;
739
740 $rdfrom = $wgRequest->getVal( 'rdfrom' );
741
742 if ( isset( $this->mRedirectedFrom ) ) {
743 // This is an internally redirected page view.
744 // We'll need a backlink to the source page for navigation.
745 if ( wfRunHooks( 'ArticleViewRedirect', array( &$this ) ) ) {
746 $redir = Linker::link(
747 $this->mRedirectedFrom,
748 null,
749 array(),
750 array( 'redirect' => 'no' ),
751 array( 'known', 'noclasses' )
752 );
753
754 $s = wfMsgExt( 'redirectedfrom', array( 'parseinline', 'replaceafter' ), $redir );
755 $wgOut->setSubtitle( $s );
756
757 // Set the fragment if one was specified in the redirect
758 if ( strval( $this->getTitle()->getFragment() ) != '' ) {
759 $fragment = Xml::escapeJsString( $this->getTitle()->getFragmentForURL() );
760 $wgOut->addInlineScript( "redirectToFragment(\"$fragment\");" );
761 }
762
763 // Add a <link rel="canonical"> tag
764 $wgOut->addLink( array( 'rel' => 'canonical',
765 'href' => $this->getTitle()->getLocalURL() )
766 );
767
768 return true;
769 }
770 } elseif ( $rdfrom ) {
771 // This is an externally redirected view, from some other wiki.
772 // If it was reported from a trusted site, supply a backlink.
773 if ( $wgRedirectSources && preg_match( $wgRedirectSources, $rdfrom ) ) {
774 $redir = Linker::makeExternalLink( $rdfrom, $rdfrom );
775 $s = wfMsgExt( 'redirectedfrom', array( 'parseinline', 'replaceafter' ), $redir );
776 $wgOut->setSubtitle( $s );
777
778 return true;
779 }
780 }
781
782 return false;
783 }
784
785 /**
786 * Show a header specific to the namespace currently being viewed, like
787 * [[MediaWiki:Talkpagetext]]. For Article::view().
788 */
789 public function showNamespaceHeader() {
790 global $wgOut;
791
792 if ( $this->getTitle()->isTalkPage() ) {
793 if ( !wfMessage( 'talkpageheader' )->isDisabled() ) {
794 $wgOut->wrapWikiMsg( "<div class=\"mw-talkpageheader\">\n$1\n</div>", array( 'talkpageheader' ) );
795 }
796 }
797 }
798
799 /**
800 * Show the footer section of an ordinary page view
801 */
802 public function showViewFooter() {
803 global $wgOut, $wgUseTrackbacks;
804
805 # check if we're displaying a [[User talk:x.x.x.x]] anonymous talk page
806 if ( $this->getTitle()->getNamespace() == NS_USER_TALK && IP::isValid( $this->getTitle()->getText() ) ) {
807 $wgOut->addWikiMsg( 'anontalkpagetext' );
808 }
809
810 # If we have been passed an &rcid= parameter, we want to give the user a
811 # chance to mark this new article as patrolled.
812 $this->showPatrolFooter();
813
814 # Trackbacks
815 if ( $wgUseTrackbacks ) {
816 $this->addTrackbacks();
817 }
818
819 wfRunHooks( 'ArticleViewFooter', array( $this ) );
820
821 }
822
823 /**
824 * If patrol is possible, output a patrol UI box. This is called from the
825 * footer section of ordinary page views. If patrol is not possible or not
826 * desired, does nothing.
827 */
828 public function showPatrolFooter() {
829 global $wgOut, $wgRequest, $wgUser;
830
831 $rcid = $wgRequest->getVal( 'rcid' );
832
833 if ( !$rcid || !$this->getTitle()->quickUserCan( 'patrol' ) ) {
834 return;
835 }
836
837 $token = $wgUser->editToken( $rcid );
838 $wgOut->preventClickjacking();
839
840 $wgOut->addHTML(
841 "<div class='patrollink'>" .
842 wfMsgHtml(
843 'markaspatrolledlink',
844 Linker::link(
845 $this->getTitle(),
846 wfMsgHtml( 'markaspatrolledtext' ),
847 array(),
848 array(
849 'action' => 'markpatrolled',
850 'rcid' => $rcid,
851 'token' => $token,
852 ),
853 array( 'known', 'noclasses' )
854 )
855 ) .
856 '</div>'
857 );
858 }
859
860 /**
861 * Show the error text for a missing article. For articles in the MediaWiki
862 * namespace, show the default message text. To be called from Article::view().
863 */
864 public function showMissingArticle() {
865 global $wgOut, $wgRequest, $wgUser;
866
867 # Show info in user (talk) namespace. Does the user exist? Is he blocked?
868 if ( $this->getTitle()->getNamespace() == NS_USER || $this->getTitle()->getNamespace() == NS_USER_TALK ) {
869 $parts = explode( '/', $this->getTitle()->getText() );
870 $rootPart = $parts[0];
871 $user = User::newFromName( $rootPart, false /* allow IP users*/ );
872 $ip = User::isIP( $rootPart );
873
874 if ( !$user->isLoggedIn() && !$ip ) { # User does not exist
875 $wgOut->wrapWikiMsg( "<div class=\"mw-userpage-userdoesnotexist error\">\n\$1\n</div>",
876 array( 'userpage-userdoesnotexist-view', wfEscapeWikiText( $rootPart ) ) );
877 } elseif ( $user->isBlocked() ) { # Show log extract if the user is currently blocked
878 LogEventsList::showLogExtract(
879 $wgOut,
880 'block',
881 $user->getUserPage()->getPrefixedText(),
882 '',
883 array(
884 'lim' => 1,
885 'showIfEmpty' => false,
886 'msgKey' => array(
887 'blocked-notice-logextract',
888 $user->getName() # Support GENDER in notice
889 )
890 )
891 );
892 }
893 }
894
895 wfRunHooks( 'ShowMissingArticle', array( $this ) );
896
897 # Show delete and move logs
898 LogEventsList::showLogExtract( $wgOut, array( 'delete', 'move' ), $this->getTitle()->getPrefixedText(), '',
899 array( 'lim' => 10,
900 'conds' => array( "log_action != 'revision'" ),
901 'showIfEmpty' => false,
902 'msgKey' => array( 'moveddeleted-notice' ) )
903 );
904
905 # Show error message
906 $oldid = $this->getOldID();
907 if ( $oldid ) {
908 $text = wfMsgNoTrans( 'missing-article',
909 $this->getTitle()->getPrefixedText(),
910 wfMsgNoTrans( 'missingarticle-rev', $oldid ) );
911 } elseif ( $this->getTitle()->getNamespace() === NS_MEDIAWIKI ) {
912 // Use the default message text
913 $text = $this->getTitle()->getDefaultMessageText();
914 } else {
915 $createErrors = $this->getTitle()->getUserPermissionsErrors( 'create', $wgUser );
916 $editErrors = $this->getTitle()->getUserPermissionsErrors( 'edit', $wgUser );
917 $errors = array_merge( $createErrors, $editErrors );
918
919 if ( !count( $errors ) ) {
920 $text = wfMsgNoTrans( 'noarticletext' );
921 } else {
922 $text = wfMsgNoTrans( 'noarticletext-nopermission' );
923 }
924 }
925 $text = "<div class='noarticletext'>\n$text\n</div>";
926
927 if ( !$this->mPage->hasViewableContent() ) {
928 // If there's no backing content, send a 404 Not Found
929 // for better machine handling of broken links.
930 $wgRequest->response()->header( "HTTP/1.1 404 Not Found" );
931 }
932
933 $wgOut->addWikiText( $text );
934 }
935
936 /**
937 * If the revision requested for view is deleted, check permissions.
938 * Send either an error message or a warning header to $wgOut.
939 *
940 * @return boolean true if the view is allowed, false if not.
941 */
942 public function showDeletedRevisionHeader() {
943 global $wgOut, $wgRequest;
944
945 if ( !$this->mRevision->isDeleted( Revision::DELETED_TEXT ) ) {
946 // Not deleted
947 return true;
948 }
949
950 // If the user is not allowed to see it...
951 if ( !$this->mRevision->userCan( Revision::DELETED_TEXT ) ) {
952 $wgOut->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
953 'rev-deleted-text-permission' );
954
955 return false;
956 // If the user needs to confirm that they want to see it...
957 } elseif ( $wgRequest->getInt( 'unhide' ) != 1 ) {
958 # Give explanation and add a link to view the revision...
959 $oldid = intval( $this->getOldID() );
960 $link = $this->getTitle()->getFullUrl( "oldid={$oldid}&unhide=1" );
961 $msg = $this->mRevision->isDeleted( Revision::DELETED_RESTRICTED ) ?
962 'rev-suppressed-text-unhide' : 'rev-deleted-text-unhide';
963 $wgOut->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
964 array( $msg, $link ) );
965
966 return false;
967 // We are allowed to see...
968 } else {
969 $msg = $this->mRevision->isDeleted( Revision::DELETED_RESTRICTED ) ?
970 'rev-suppressed-text-view' : 'rev-deleted-text-view';
971 $wgOut->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n", $msg );
972
973 return true;
974 }
975 }
976
977 /**
978 * Execute the uncached parse for action=view
979 */
980 public function doViewParse() {
981 global $wgOut;
982
983 $oldid = $this->getOldID();
984 $parserOptions = $this->mPage->getParserOptions();
985
986 # Render printable version, use printable version cache
987 $parserOptions->setIsPrintable( $wgOut->isPrintable() );
988
989 # Don't show section-edit links on old revisions... this way lies madness.
990 if ( !$this->isCurrent() || $wgOut->isPrintable() || !$this->getTitle()->quickUserCan( 'edit' ) ) {
991 $parserOptions->setEditSection( false );
992 }
993
994 $useParserCache = $this->useParserCache( $oldid );
995 $this->outputWikiText( $this->getContent(), $useParserCache, $parserOptions );
996
997 return true;
998 }
999
1000 /**
1001 * Try to fetch an expired entry from the parser cache. If it is present,
1002 * output it and return true. If it is not present, output nothing and
1003 * return false. This is used as a callback function for
1004 * PoolCounter::executeProtected().
1005 *
1006 * @return boolean
1007 */
1008 public function tryDirtyCache() {
1009 global $wgOut;
1010 $parserCache = ParserCache::singleton();
1011 $options = $this->mPage->getParserOptions();
1012
1013 if ( $wgOut->isPrintable() ) {
1014 $options->setIsPrintable( true );
1015 $options->setEditSection( false );
1016 }
1017
1018 $output = $parserCache->getDirty( $this, $options );
1019
1020 if ( $output ) {
1021 wfDebug( __METHOD__ . ": sending dirty output\n" );
1022 wfDebugLog( 'dirty', "dirty output " . $parserCache->getKey( $this, $options ) . "\n" );
1023 $wgOut->setSquidMaxage( 0 );
1024 $this->mParserOutput = $output;
1025 $wgOut->addParserOutput( $output );
1026 $wgOut->addHTML( "<!-- parser cache is expired, sending anyway due to pool overload-->\n" );
1027
1028 return true;
1029 } else {
1030 wfDebugLog( 'dirty', "dirty missing\n" );
1031 wfDebug( __METHOD__ . ": no dirty cache\n" );
1032
1033 return false;
1034 }
1035 }
1036
1037 /**
1038 * View redirect
1039 *
1040 * @param $target Title|Array of destination(s) to redirect
1041 * @param $appendSubtitle Boolean [optional]
1042 * @param $forceKnown Boolean: should the image be shown as a bluelink regardless of existence?
1043 * @return string containing HMTL with redirect link
1044 */
1045 public function viewRedirect( $target, $appendSubtitle = true, $forceKnown = false ) {
1046 global $wgOut, $wgStylePath;
1047
1048 if ( !is_array( $target ) ) {
1049 $target = array( $target );
1050 }
1051
1052 $imageDir = wfUILang()->getDir();
1053
1054 if ( $appendSubtitle ) {
1055 $wgOut->appendSubtitle( wfMsgHtml( 'redirectpagesub' ) );
1056 }
1057
1058 // the loop prepends the arrow image before the link, so the first case needs to be outside
1059 $title = array_shift( $target );
1060
1061 if ( $forceKnown ) {
1062 $link = Linker::linkKnown( $title, htmlspecialchars( $title->getFullText() ) );
1063 } else {
1064 $link = Linker::link( $title, htmlspecialchars( $title->getFullText() ) );
1065 }
1066
1067 $nextRedirect = $wgStylePath . '/common/images/nextredirect' . $imageDir . '.png';
1068 $alt = wfUILang()->isRTL() ? '←' : '→';
1069 // Automatically append redirect=no to each link, since most of them are redirect pages themselves.
1070 foreach ( $target as $rt ) {
1071 $link .= Html::element( 'img', array( 'src' => $nextRedirect, 'alt' => $alt ) );
1072 if ( $forceKnown ) {
1073 $link .= Linker::linkKnown( $rt, htmlspecialchars( $rt->getFullText(), array(), array( 'redirect' => 'no' ) ) );
1074 } else {
1075 $link .= Linker::link( $rt, htmlspecialchars( $rt->getFullText() ), array(), array( 'redirect' => 'no' ) );
1076 }
1077 }
1078
1079 $imageUrl = $wgStylePath . '/common/images/redirect' . $imageDir . '.png';
1080 return '<div class="redirectMsg">' .
1081 Html::element( 'img', array( 'src' => $imageUrl, 'alt' => '#REDIRECT' ) ) .
1082 '<span class="redirectText">' . $link . '</span></div>';
1083 }
1084
1085 /**
1086 * Builds trackback links for article display if $wgUseTrackbacks is set to true
1087 */
1088 public function addTrackbacks() {
1089 global $wgOut;
1090
1091 $dbr = wfGetDB( DB_SLAVE );
1092 $tbs = $dbr->select( 'trackbacks',
1093 array( 'tb_id', 'tb_title', 'tb_url', 'tb_ex', 'tb_name' ),
1094 array( 'tb_page' => $this->mPage->getID() )
1095 );
1096
1097 if ( !$dbr->numRows( $tbs ) ) {
1098 return;
1099 }
1100
1101 $wgOut->preventClickjacking();
1102
1103 $tbtext = "";
1104 foreach ( $tbs as $o ) {
1105 $rmvtxt = "";
1106
1107 if ( $this->getContext()->getUser()->isAllowed( 'trackback' ) ) {
1108 $delurl = $this->getTitle()->getFullURL( "action=deletetrackback&tbid=" .
1109 $o->tb_id . "&token=" . urlencode( $this->getContext()->getUser()->editToken() ) );
1110 $rmvtxt = wfMsg( 'trackbackremove', htmlspecialchars( $delurl ) );
1111 }
1112
1113 $tbtext .= "\n";
1114 $tbtext .= wfMsgNoTrans( strlen( $o->tb_ex ) ? 'trackbackexcerpt' : 'trackback',
1115 $o->tb_title,
1116 $o->tb_url,
1117 $o->tb_ex,
1118 $o->tb_name,
1119 $rmvtxt );
1120 }
1121
1122 $wgOut->wrapWikiMsg( "<div id='mw_trackbacks'>\n$1\n</div>\n", array( 'trackbackbox', $tbtext ) );
1123 }
1124
1125 /**
1126 * Removes trackback record for current article from trackbacks table
1127 * @deprecated since 1.19
1128 */
1129 public function deletetrackback() {
1130 return Action::factory( 'deletetrackback', $this )->show();
1131 }
1132
1133 /**
1134 * Handle action=render
1135 */
1136
1137 public function render() {
1138 global $wgOut;
1139
1140 $wgOut->setArticleBodyOnly( true );
1141 $this->view();
1142 }
1143
1144 /**
1145 * Handle action=purge
1146 */
1147 public function purge() {
1148 return Action::factory( 'purge', $this )->show();
1149 }
1150
1151 /**
1152 * Mark this particular edit/page as patrolled
1153 * @deprecated since 1.19
1154 */
1155 public function markpatrolled() {
1156 Action::factory( 'markpatrolled', $this )->show();
1157 }
1158
1159 /**
1160 * User-interface handler for the "watch" action.
1161 * Requires Request to pass a token as of 1.19.
1162 * @deprecated since 1.18
1163 */
1164 public function watch() {
1165 Action::factory( 'watch', $this )->show();
1166 }
1167
1168 /**
1169 * Add this page to $wgUser's watchlist
1170 *
1171 * This is safe to be called multiple times
1172 *
1173 * @return bool true on successful watch operation
1174 * @deprecated since 1.18
1175 */
1176 public function doWatch() {
1177 global $wgUser;
1178 return WatchAction::doWatch( $this->getTitle(), $wgUser );
1179 }
1180
1181 /**
1182 * User interface handler for the "unwatch" action.
1183 * Requires Request to pass a token as of 1.19.
1184 * @deprecated since 1.18
1185 */
1186 public function unwatch() {
1187 Action::factory( 'unwatch', $this )->show();
1188 }
1189
1190 /**
1191 * Stop watching a page
1192 * @return bool true on successful unwatch
1193 * @deprecated since 1.18
1194 */
1195 public function doUnwatch() {
1196 global $wgUser;
1197 return WatchAction::doUnwatch( $this->getTitle(), $wgUser );
1198 }
1199
1200 /**
1201 * action=protect handler
1202 */
1203 public function protect() {
1204 $form = new ProtectionForm( $this );
1205 $form->execute();
1206 }
1207
1208 /**
1209 * action=unprotect handler (alias)
1210 */
1211 public function unprotect() {
1212 $this->protect();
1213 }
1214
1215 /**
1216 * Info about this page
1217 * Called for ?action=info when $wgAllowPageInfo is on.
1218 */
1219 public function info() {
1220 Action::factory( 'info', $this )->show();
1221 }
1222
1223 /**
1224 * Overriden by ImagePage class, only present here to avoid a fatal error
1225 * Called for ?action=revert
1226 */
1227 public function revert() {
1228 Action::factory( 'revert', $this )->show();
1229 }
1230
1231 /**
1232 * Output a redirect back to the article.
1233 * This is typically used after an edit.
1234 *
1235 * @deprecated in 1.19; call $wgOut->redirect() directly
1236 * @param $noRedir Boolean: add redirect=no
1237 * @param $sectionAnchor String: section to redirect to, including "#"
1238 * @param $extraQuery String: extra query params
1239 */
1240 public function doRedirect( $noRedir = false, $sectionAnchor = '', $extraQuery = '' ) {
1241 wfDeprecated( __METHOD__ );
1242 global $wgOut;
1243
1244 if ( $noRedir ) {
1245 $query = 'redirect=no';
1246 if ( $extraQuery )
1247 $query .= "&$extraQuery";
1248 } else {
1249 $query = $extraQuery;
1250 }
1251
1252 $wgOut->redirect( $this->getTitle()->getFullURL( $query ) . $sectionAnchor );
1253 }
1254
1255 /**
1256 * Auto-generates a deletion reason
1257 *
1258 * @param &$hasHistory Boolean: whether the page has a history
1259 * @return mixed String containing deletion reason or empty string, or boolean false
1260 * if no revision occurred
1261 */
1262 public function generateReason( &$hasHistory ) {
1263 global $wgContLang;
1264
1265 $dbw = wfGetDB( DB_MASTER );
1266 // Get the last revision
1267 $rev = Revision::newFromTitle( $this->getTitle() );
1268
1269 if ( is_null( $rev ) ) {
1270 return false;
1271 }
1272
1273 // Get the article's contents
1274 $contents = $rev->getText();
1275 $blank = false;
1276
1277 // If the page is blank, use the text from the previous revision,
1278 // which can only be blank if there's a move/import/protect dummy revision involved
1279 if ( $contents == '' ) {
1280 $prev = $rev->getPrevious();
1281
1282 if ( $prev ) {
1283 $contents = $prev->getText();
1284 $blank = true;
1285 }
1286 }
1287
1288 // Find out if there was only one contributor
1289 // Only scan the last 20 revisions
1290 $res = $dbw->select( 'revision', 'rev_user_text',
1291 array( 'rev_page' => $this->mPage->getID(), $dbw->bitAnd( 'rev_deleted', Revision::DELETED_USER ) . ' = 0' ),
1292 __METHOD__,
1293 array( 'LIMIT' => 20 )
1294 );
1295
1296 if ( $res === false ) {
1297 // This page has no revisions, which is very weird
1298 return false;
1299 }
1300
1301 $hasHistory = ( $res->numRows() > 1 );
1302 $row = $dbw->fetchObject( $res );
1303
1304 if ( $row ) { // $row is false if the only contributor is hidden
1305 $onlyAuthor = $row->rev_user_text;
1306 // Try to find a second contributor
1307 foreach ( $res as $row ) {
1308 if ( $row->rev_user_text != $onlyAuthor ) { // Bug 22999
1309 $onlyAuthor = false;
1310 break;
1311 }
1312 }
1313 } else {
1314 $onlyAuthor = false;
1315 }
1316
1317 // Generate the summary with a '$1' placeholder
1318 if ( $blank ) {
1319 // The current revision is blank and the one before is also
1320 // blank. It's just not our lucky day
1321 $reason = wfMsgForContent( 'exbeforeblank', '$1' );
1322 } else {
1323 if ( $onlyAuthor ) {
1324 $reason = wfMsgForContent( 'excontentauthor', '$1', $onlyAuthor );
1325 } else {
1326 $reason = wfMsgForContent( 'excontent', '$1' );
1327 }
1328 }
1329
1330 if ( $reason == '-' ) {
1331 // Allow these UI messages to be blanked out cleanly
1332 return '';
1333 }
1334
1335 // Replace newlines with spaces to prevent uglyness
1336 $contents = preg_replace( "/[\n\r]/", ' ', $contents );
1337 // Calculate the maximum amount of chars to get
1338 // Max content length = max comment length - length of the comment (excl. $1)
1339 $maxLength = 255 - ( strlen( $reason ) - 2 );
1340 $contents = $wgContLang->truncate( $contents, $maxLength );
1341 // Remove possible unfinished links
1342 $contents = preg_replace( '/\[\[([^\]]*)\]?$/', '$1', $contents );
1343 // Now replace the '$1' placeholder
1344 $reason = str_replace( '$1', $contents, $reason );
1345
1346 return $reason;
1347 }
1348
1349
1350 /**
1351 * UI entry point for page deletion
1352 */
1353 public function delete() {
1354 global $wgOut, $wgRequest;
1355
1356 $confirm = $wgRequest->wasPosted() &&
1357 $this->getContext()->getUser()->matchEditToken( $wgRequest->getVal( 'wpEditToken' ) );
1358
1359 $this->DeleteReasonList = $wgRequest->getText( 'wpDeleteReasonList', 'other' );
1360 $this->DeleteReason = $wgRequest->getText( 'wpReason' );
1361
1362 $reason = $this->DeleteReasonList;
1363
1364 if ( $reason != 'other' && $this->DeleteReason != '' ) {
1365 // Entry from drop down menu + additional comment
1366 $reason .= wfMsgForContent( 'colon-separator' ) . $this->DeleteReason;
1367 } elseif ( $reason == 'other' ) {
1368 $reason = $this->DeleteReason;
1369 }
1370
1371 # Flag to hide all contents of the archived revisions
1372 $suppress = $wgRequest->getVal( 'wpSuppress' ) && $this->getContext()->getUser()->isAllowed( 'suppressrevision' );
1373
1374 # This code desperately needs to be totally rewritten
1375
1376 # Read-only check...
1377 if ( wfReadOnly() ) {
1378 $wgOut->readOnlyPage();
1379
1380 return;
1381 }
1382
1383 # Check permissions
1384 $permission_errors = $this->getTitle()->getUserPermissionsErrors( 'delete', $this->getContext()->getUser() );
1385
1386 if ( count( $permission_errors ) > 0 ) {
1387 $wgOut->showPermissionsErrorPage( $permission_errors );
1388
1389 return;
1390 }
1391
1392 $wgOut->setPagetitle( wfMsg( 'delete-confirm', $this->getTitle()->getPrefixedText() ) );
1393
1394 # Better double-check that it hasn't been deleted yet!
1395 $dbw = wfGetDB( DB_MASTER );
1396 $conds = $this->getTitle()->pageCond();
1397 $latest = $dbw->selectField( 'page', 'page_latest', $conds, __METHOD__ );
1398 if ( $latest === false ) {
1399 $wgOut->showFatalError(
1400 Html::rawElement(
1401 'div',
1402 array( 'class' => 'error mw-error-cannotdelete' ),
1403 wfMsgExt( 'cannotdelete', array( 'parse' ),
1404 wfEscapeWikiText( $this->getTitle()->getPrefixedText() ) )
1405 )
1406 );
1407 $wgOut->addHTML( Xml::element( 'h2', null, LogPage::logName( 'delete' ) ) );
1408 LogEventsList::showLogExtract(
1409 $wgOut,
1410 'delete',
1411 $this->getTitle()->getPrefixedText()
1412 );
1413
1414 return;
1415 }
1416
1417 # Hack for big sites
1418 $bigHistory = $this->mPage->isBigDeletion();
1419 if ( $bigHistory && !$this->getTitle()->userCan( 'bigdelete' ) ) {
1420 global $wgLang, $wgDeleteRevisionsLimit;
1421
1422 $wgOut->wrapWikiMsg( "<div class='error'>\n$1\n</div>\n",
1423 array( 'delete-toobig', $wgLang->formatNum( $wgDeleteRevisionsLimit ) ) );
1424
1425 return;
1426 }
1427
1428 if ( $confirm ) {
1429 $this->doDelete( $reason, $suppress );
1430
1431 if ( $wgRequest->getCheck( 'wpWatch' ) && $this->getContext()->getUser()->isLoggedIn() ) {
1432 $this->doWatch();
1433 } elseif ( $this->getTitle()->userIsWatching() ) {
1434 $this->doUnwatch();
1435 }
1436
1437 return;
1438 }
1439
1440 // Generate deletion reason
1441 $hasHistory = false;
1442 if ( !$reason ) {
1443 $reason = $this->generateReason( $hasHistory );
1444 }
1445
1446 // If the page has a history, insert a warning
1447 if ( $hasHistory && !$confirm ) {
1448 global $wgLang;
1449
1450 $revisions = $this->mPage->estimateRevisionCount();
1451 // @todo FIXME: i18n issue/patchwork message
1452 $wgOut->addHTML( '<strong class="mw-delete-warning-revisions">' .
1453 wfMsgExt( 'historywarning', array( 'parseinline' ), $wgLang->formatNum( $revisions ) ) .
1454 wfMsgHtml( 'word-separator' ) . Linker::link( $this->getTitle(),
1455 wfMsgHtml( 'history' ),
1456 array( 'rel' => 'archives' ),
1457 array( 'action' => 'history' ) ) .
1458 '</strong>'
1459 );
1460
1461 if ( $bigHistory ) {
1462 global $wgDeleteRevisionsLimit;
1463 $wgOut->wrapWikiMsg( "<div class='error'>\n$1\n</div>\n",
1464 array( 'delete-warning-toobig', $wgLang->formatNum( $wgDeleteRevisionsLimit ) ) );
1465 }
1466 }
1467
1468 return $this->confirmDelete( $reason );
1469 }
1470
1471 /**
1472 * Output deletion confirmation dialog
1473 * @todo FIXME: Move to another file?
1474 * @param $reason String: prefilled reason
1475 */
1476 public function confirmDelete( $reason ) {
1477 global $wgOut;
1478
1479 wfDebug( "Article::confirmDelete\n" );
1480
1481 $deleteBackLink = Linker::linkKnown( $this->getTitle() );
1482 $wgOut->setSubtitle( wfMsgHtml( 'delete-backlink', $deleteBackLink ) );
1483 $wgOut->setRobotPolicy( 'noindex,nofollow' );
1484 $wgOut->addWikiMsg( 'confirmdeletetext' );
1485
1486 wfRunHooks( 'ArticleConfirmDelete', array( $this, $wgOut, &$reason ) );
1487
1488 if ( $this->getContext()->getUser()->isAllowed( 'suppressrevision' ) ) {
1489 $suppress = "<tr id=\"wpDeleteSuppressRow\">
1490 <td></td>
1491 <td class='mw-input'><strong>" .
1492 Xml::checkLabel( wfMsg( 'revdelete-suppress' ),
1493 'wpSuppress', 'wpSuppress', false, array( 'tabindex' => '4' ) ) .
1494 "</strong></td>
1495 </tr>";
1496 } else {
1497 $suppress = '';
1498 }
1499 $checkWatch = $this->getContext()->getUser()->getBoolOption( 'watchdeletion' ) || $this->getTitle()->userIsWatching();
1500
1501 $form = Xml::openElement( 'form', array( 'method' => 'post',
1502 'action' => $this->getTitle()->getLocalURL( 'action=delete' ), 'id' => 'deleteconfirm' ) ) .
1503 Xml::openElement( 'fieldset', array( 'id' => 'mw-delete-table' ) ) .
1504 Xml::tags( 'legend', null, wfMsgExt( 'delete-legend', array( 'parsemag', 'escapenoentities' ) ) ) .
1505 Xml::openElement( 'table', array( 'id' => 'mw-deleteconfirm-table' ) ) .
1506 "<tr id=\"wpDeleteReasonListRow\">
1507 <td class='mw-label'>" .
1508 Xml::label( wfMsg( 'deletecomment' ), 'wpDeleteReasonList' ) .
1509 "</td>
1510 <td class='mw-input'>" .
1511 Xml::listDropDown( 'wpDeleteReasonList',
1512 wfMsgForContent( 'deletereason-dropdown' ),
1513 wfMsgForContent( 'deletereasonotherlist' ), '', 'wpReasonDropDown', 1 ) .
1514 "</td>
1515 </tr>
1516 <tr id=\"wpDeleteReasonRow\">
1517 <td class='mw-label'>" .
1518 Xml::label( wfMsg( 'deleteotherreason' ), 'wpReason' ) .
1519 "</td>
1520 <td class='mw-input'>" .
1521 Html::input( 'wpReason', $reason, 'text', array(
1522 'size' => '60',
1523 'maxlength' => '255',
1524 'tabindex' => '2',
1525 'id' => 'wpReason',
1526 'autofocus'
1527 ) ) .
1528 "</td>
1529 </tr>";
1530
1531 # Disallow watching if user is not logged in
1532 if ( $this->getContext()->getUser()->isLoggedIn() ) {
1533 $form .= "
1534 <tr>
1535 <td></td>
1536 <td class='mw-input'>" .
1537 Xml::checkLabel( wfMsg( 'watchthis' ),
1538 'wpWatch', 'wpWatch', $checkWatch, array( 'tabindex' => '3' ) ) .
1539 "</td>
1540 </tr>";
1541 }
1542
1543 $form .= "
1544 $suppress
1545 <tr>
1546 <td></td>
1547 <td class='mw-submit'>" .
1548 Xml::submitButton( wfMsg( 'deletepage' ),
1549 array( 'name' => 'wpConfirmB', 'id' => 'wpConfirmB', 'tabindex' => '5' ) ) .
1550 "</td>
1551 </tr>" .
1552 Xml::closeElement( 'table' ) .
1553 Xml::closeElement( 'fieldset' ) .
1554 Html::hidden( 'wpEditToken', $this->getContext()->getUser()->editToken() ) .
1555 Xml::closeElement( 'form' );
1556
1557 if ( $this->getContext()->getUser()->isAllowed( 'editinterface' ) ) {
1558 $title = Title::makeTitle( NS_MEDIAWIKI, 'Deletereason-dropdown' );
1559 $link = Linker::link(
1560 $title,
1561 wfMsgHtml( 'delete-edit-reasonlist' ),
1562 array(),
1563 array( 'action' => 'edit' )
1564 );
1565 $form .= '<p class="mw-delete-editreasons">' . $link . '</p>';
1566 }
1567
1568 $wgOut->addHTML( $form );
1569 $wgOut->addHTML( Xml::element( 'h2', null, LogPage::logName( 'delete' ) ) );
1570 LogEventsList::showLogExtract( $wgOut, 'delete',
1571 $this->getTitle()->getPrefixedText()
1572 );
1573 }
1574
1575 /**
1576 * Perform a deletion and output success or failure messages
1577 */
1578 public function doDelete( $reason, $suppress = false ) {
1579 global $wgOut;
1580
1581 $id = $this->getTitle()->getArticleID( Title::GAID_FOR_UPDATE );
1582
1583 $error = '';
1584 if ( $this->mPage->doDeleteArticle( $reason, $suppress, $id, $error ) ) {
1585 $deleted = $this->getTitle()->getPrefixedText();
1586
1587 $wgOut->setPagetitle( wfMsg( 'actioncomplete' ) );
1588 $wgOut->setRobotPolicy( 'noindex,nofollow' );
1589
1590 $loglink = '[[Special:Log/delete|' . wfMsgNoTrans( 'deletionlog' ) . ']]';
1591
1592 $wgOut->addWikiMsg( 'deletedtext', wfEscapeWikiText( $deleted ), $loglink );
1593 $wgOut->returnToMain( false );
1594 } else {
1595 if ( $error == '' ) {
1596 $wgOut->showFatalError(
1597 Html::rawElement(
1598 'div',
1599 array( 'class' => 'error mw-error-cannotdelete' ),
1600 wfMsgExt( 'cannotdelete', array( 'parse' ),
1601 wfEscapeWikiText( $this->getTitle()->getPrefixedText() ) )
1602 )
1603 );
1604
1605 $wgOut->addHTML( Xml::element( 'h2', null, LogPage::logName( 'delete' ) ) );
1606
1607 LogEventsList::showLogExtract(
1608 $wgOut,
1609 'delete',
1610 $this->getTitle()->getPrefixedText()
1611 );
1612 } else {
1613 $wgOut->showFatalError( $error );
1614 }
1615 }
1616 }
1617
1618 /**
1619 * User interface for rollback operations
1620 */
1621 public function rollback() {
1622 global $wgUser, $wgOut, $wgRequest;
1623
1624 $details = null;
1625
1626 $result = $this->mPage->doRollback(
1627 $wgRequest->getVal( 'from' ),
1628 $wgRequest->getText( 'summary' ),
1629 $wgRequest->getVal( 'token' ),
1630 $wgRequest->getBool( 'bot' ),
1631 $details
1632 );
1633
1634 if ( in_array( array( 'actionthrottledtext' ), $result ) ) {
1635 $wgOut->rateLimited();
1636 return;
1637 }
1638
1639 if ( isset( $result[0][0] ) && ( $result[0][0] == 'alreadyrolled' || $result[0][0] == 'cantrollback' ) ) {
1640 $wgOut->setPageTitle( wfMsg( 'rollbackfailed' ) );
1641 $errArray = $result[0];
1642 $errMsg = array_shift( $errArray );
1643 $wgOut->addWikiMsgArray( $errMsg, $errArray );
1644
1645 if ( isset( $details['current'] ) ) {
1646 $current = $details['current'];
1647
1648 if ( $current->getComment() != '' ) {
1649 $wgOut->addWikiMsgArray( 'editcomment', array(
1650 Linker::formatComment( $current->getComment() ) ), array( 'replaceafter' ) );
1651 }
1652 }
1653
1654 return;
1655 }
1656
1657 # Display permissions errors before read-only message -- there's no
1658 # point in misleading the user into thinking the inability to rollback
1659 # is only temporary.
1660 if ( !empty( $result ) && $result !== array( array( 'readonlytext' ) ) ) {
1661 # array_diff is completely broken for arrays of arrays, sigh.
1662 # Remove any 'readonlytext' error manually.
1663 $out = array();
1664 foreach ( $result as $error ) {
1665 if ( $error != array( 'readonlytext' ) ) {
1666 $out [] = $error;
1667 }
1668 }
1669 $wgOut->showPermissionsErrorPage( $out );
1670
1671 return;
1672 }
1673
1674 if ( $result == array( array( 'readonlytext' ) ) ) {
1675 $wgOut->readOnlyPage();
1676
1677 return;
1678 }
1679
1680 $current = $details['current'];
1681 $target = $details['target'];
1682 $newId = $details['newid'];
1683 $wgOut->setPageTitle( wfMsg( 'actioncomplete' ) );
1684 $wgOut->setRobotPolicy( 'noindex,nofollow' );
1685
1686 if ( $current->getUserText() === '' ) {
1687 $old = wfMsg( 'rev-deleted-user' );
1688 } else {
1689 $old = Linker::userLink( $current->getUser(), $current->getUserText() )
1690 . Linker::userToolLinks( $current->getUser(), $current->getUserText() );
1691 }
1692
1693 $new = Linker::userLink( $target->getUser(), $target->getUserText() )
1694 . Linker::userToolLinks( $target->getUser(), $target->getUserText() );
1695 $wgOut->addHTML( wfMsgExt( 'rollback-success', array( 'parse', 'replaceafter' ), $old, $new ) );
1696 $wgOut->returnToMain( false, $this->getTitle() );
1697
1698 if ( !$wgRequest->getBool( 'hidediff', false ) && !$wgUser->getBoolOption( 'norollbackdiff', false ) ) {
1699 $de = new DifferenceEngine( $this->getTitle(), $current->getId(), $newId, false, true );
1700 $de->showDiff( '', '' );
1701 }
1702 }
1703
1704 /**
1705 * Generate the navigation links when browsing through an article revisions
1706 * It shows the information as:
1707 * Revision as of \<date\>; view current revision
1708 * \<- Previous version | Next Version -\>
1709 *
1710 * @param $oldid String: revision ID of this article revision
1711 */
1712 public function setOldSubtitle( $oldid = 0 ) {
1713 global $wgLang, $wgOut, $wgUser, $wgRequest;
1714
1715 if ( !wfRunHooks( 'DisplayOldSubtitle', array( &$this, &$oldid ) ) ) {
1716 return;
1717 }
1718
1719 $unhide = $wgRequest->getInt( 'unhide' ) == 1;
1720
1721 # Cascade unhide param in links for easy deletion browsing
1722 $extraParams = array();
1723 if ( $wgRequest->getVal( 'unhide' ) ) {
1724 $extraParams['unhide'] = 1;
1725 }
1726
1727 $revision = Revision::newFromId( $oldid );
1728 $timestamp = $revision->getTimestamp();
1729
1730 $current = ( $oldid == $this->mPage->getLatest() );
1731 $td = $wgLang->timeanddate( $timestamp, true );
1732 $tddate = $wgLang->date( $timestamp, true );
1733 $tdtime = $wgLang->time( $timestamp, true );
1734
1735 $lnk = $current
1736 ? wfMsgHtml( 'currentrevisionlink' )
1737 : Linker::link(
1738 $this->getTitle(),
1739 wfMsgHtml( 'currentrevisionlink' ),
1740 array(),
1741 $extraParams,
1742 array( 'known', 'noclasses' )
1743 );
1744 $curdiff = $current
1745 ? wfMsgHtml( 'diff' )
1746 : Linker::link(
1747 $this->getTitle(),
1748 wfMsgHtml( 'diff' ),
1749 array(),
1750 array(
1751 'diff' => 'cur',
1752 'oldid' => $oldid
1753 ) + $extraParams,
1754 array( 'known', 'noclasses' )
1755 );
1756 $prev = $this->getTitle()->getPreviousRevisionID( $oldid ) ;
1757 $prevlink = $prev
1758 ? Linker::link(
1759 $this->getTitle(),
1760 wfMsgHtml( 'previousrevision' ),
1761 array(),
1762 array(
1763 'direction' => 'prev',
1764 'oldid' => $oldid
1765 ) + $extraParams,
1766 array( 'known', 'noclasses' )
1767 )
1768 : wfMsgHtml( 'previousrevision' );
1769 $prevdiff = $prev
1770 ? Linker::link(
1771 $this->getTitle(),
1772 wfMsgHtml( 'diff' ),
1773 array(),
1774 array(
1775 'diff' => 'prev',
1776 'oldid' => $oldid
1777 ) + $extraParams,
1778 array( 'known', 'noclasses' )
1779 )
1780 : wfMsgHtml( 'diff' );
1781 $nextlink = $current
1782 ? wfMsgHtml( 'nextrevision' )
1783 : Linker::link(
1784 $this->getTitle(),
1785 wfMsgHtml( 'nextrevision' ),
1786 array(),
1787 array(
1788 'direction' => 'next',
1789 'oldid' => $oldid
1790 ) + $extraParams,
1791 array( 'known', 'noclasses' )
1792 );
1793 $nextdiff = $current
1794 ? wfMsgHtml( 'diff' )
1795 : Linker::link(
1796 $this->getTitle(),
1797 wfMsgHtml( 'diff' ),
1798 array(),
1799 array(
1800 'diff' => 'next',
1801 'oldid' => $oldid
1802 ) + $extraParams,
1803 array( 'known', 'noclasses' )
1804 );
1805
1806 $cdel = '';
1807
1808 // User can delete revisions or view deleted revisions...
1809 $canHide = $wgUser->isAllowed( 'deleterevision' );
1810 if ( $canHide || ( $revision->getVisibility() && $wgUser->isAllowed( 'deletedhistory' ) ) ) {
1811 if ( !$revision->userCan( Revision::DELETED_RESTRICTED ) ) {
1812 $cdel = Linker::revDeleteLinkDisabled( $canHide ); // rev was hidden from Sysops
1813 } else {
1814 $query = array(
1815 'type' => 'revision',
1816 'target' => $this->getTitle()->getPrefixedDbkey(),
1817 'ids' => $oldid
1818 );
1819 $cdel = Linker::revDeleteLink( $query, $revision->isDeleted( File::DELETED_RESTRICTED ), $canHide );
1820 }
1821 $cdel .= ' ';
1822 }
1823
1824 # Show user links if allowed to see them. If hidden, then show them only if requested...
1825 $userlinks = Linker::revUserTools( $revision, !$unhide );
1826
1827 $infomsg = $current && !wfMessage( 'revision-info-current' )->isDisabled()
1828 ? 'revision-info-current'
1829 : 'revision-info';
1830
1831 $r = "\n\t\t\t\t<div id=\"mw-{$infomsg}\">" .
1832 wfMsgExt(
1833 $infomsg,
1834 array( 'parseinline', 'replaceafter' ),
1835 $td,
1836 $userlinks,
1837 $revision->getID(),
1838 $tddate,
1839 $tdtime,
1840 $revision->getUser()
1841 ) .
1842 "</div>\n" .
1843 "\n\t\t\t\t<div id=\"mw-revision-nav\">" . $cdel . wfMsgExt( 'revision-nav', array( 'escapenoentities', 'parsemag', 'replaceafter' ),
1844 $prevdiff, $prevlink, $lnk, $curdiff, $nextlink, $nextdiff ) . "</div>\n\t\t\t";
1845
1846 $wgOut->addHTML( $r );
1847 }
1848
1849 /* Caching functions */
1850
1851 /**
1852 * checkLastModified returns true if it has taken care of all
1853 * output to the client that is necessary for this request.
1854 * (that is, it has sent a cached version of the page)
1855 *
1856 * @return boolean true if cached version send, false otherwise
1857 */
1858 protected function tryFileCache() {
1859 static $called = false;
1860
1861 if ( $called ) {
1862 wfDebug( "Article::tryFileCache(): called twice!?\n" );
1863 return false;
1864 }
1865
1866 $called = true;
1867 if ( $this->isFileCacheable() ) {
1868 $cache = new HTMLFileCache( $this->getTitle() );
1869 if ( $cache->isFileCacheGood( $this->mPage->getTouched() ) ) {
1870 wfDebug( "Article::tryFileCache(): about to load file\n" );
1871 $cache->loadFromFileCache();
1872 return true;
1873 } else {
1874 wfDebug( "Article::tryFileCache(): starting buffer\n" );
1875 ob_start( array( &$cache, 'saveToFileCache' ) );
1876 }
1877 } else {
1878 wfDebug( "Article::tryFileCache(): not cacheable\n" );
1879 }
1880
1881 return false;
1882 }
1883
1884 /**
1885 * Check if the page can be cached
1886 * @return bool
1887 */
1888 public function isFileCacheable() {
1889 $cacheable = false;
1890
1891 if ( HTMLFileCache::useFileCache() ) {
1892 $cacheable = $this->mPage->getID() && !$this->mRedirectedFrom && !$this->getTitle()->isRedirect();
1893 // Extension may have reason to disable file caching on some pages.
1894 if ( $cacheable ) {
1895 $cacheable = wfRunHooks( 'IsFileCacheable', array( &$this ) );
1896 }
1897 }
1898
1899 return $cacheable;
1900 }
1901
1902 /**#@-*/
1903
1904 /**
1905 * Add the primary page-view wikitext to the output buffer
1906 * Saves the text into the parser cache if possible.
1907 * Updates templatelinks if it is out of date.
1908 *
1909 * @param $text String
1910 * @param $cache Boolean
1911 * @param $parserOptions mixed ParserOptions object, or boolean false
1912 */
1913 public function outputWikiText( $text, $cache = true, $parserOptions = false ) {
1914 global $wgOut;
1915
1916 $this->mParserOutput = $this->getOutputFromWikitext( $text, $cache, $parserOptions );
1917
1918 $this->doCascadeProtectionUpdates( $this->mParserOutput );
1919
1920 $wgOut->addParserOutput( $this->mParserOutput );
1921 }
1922
1923 /**
1924 * Lightweight method to get the parser output for a page, checking the parser cache
1925 * and so on. Doesn't consider most of the stuff that WikiPage::view is forced to
1926 * consider, so it's not appropriate to use there.
1927 *
1928 * @since 1.16 (r52326) for LiquidThreads
1929 *
1930 * @param $oldid mixed integer Revision ID or null
1931 * @param $user User The relevant user
1932 * @return ParserOutput or false if the given revsion ID is not found
1933 */
1934 public function getParserOutput( $oldid = null, User $user = null ) {
1935 global $wgEnableParserCache, $wgUser;
1936 $user = is_null( $user ) ? $wgUser : $user;
1937
1938 // Should the parser cache be used?
1939 $useParserCache = $wgEnableParserCache &&
1940 $user->getStubThreshold() == 0 &&
1941 $this->mPage->exists() &&
1942 $oldid === null;
1943
1944 wfDebug( __METHOD__ . ': using parser cache: ' . ( $useParserCache ? 'yes' : 'no' ) . "\n" );
1945
1946 if ( $user->getStubThreshold() ) {
1947 wfIncrStats( 'pcache_miss_stub' );
1948 }
1949
1950 if ( $useParserCache ) {
1951 $parserOutput = ParserCache::singleton()->get( $this, $this->mPage->getParserOptions() );
1952 if ( $parserOutput !== false ) {
1953 return $parserOutput;
1954 }
1955 }
1956
1957 // Cache miss; parse and output it.
1958 if ( $oldid === null ) {
1959 $text = $this->mPage->getRawText();
1960 } else {
1961 $rev = Revision::newFromTitle( $this->getTitle(), $oldid );
1962 if ( $rev === null ) {
1963 return false;
1964 }
1965 $text = $rev->getText();
1966 }
1967
1968 return $this->getOutputFromWikitext( $text, $useParserCache );
1969 }
1970
1971 /**
1972 * This does all the heavy lifting for outputWikitext, except it returns the parser
1973 * output instead of sending it straight to $wgOut. Makes things nice and simple for,
1974 * say, embedding thread pages within a discussion system (LiquidThreads)
1975 *
1976 * @param $text string
1977 * @param $cache boolean
1978 * @param $parserOptions parsing options, defaults to false
1979 * @return string containing parsed output
1980 */
1981 public function getOutputFromWikitext( $text, $cache = true, $parserOptions = false ) {
1982 global $wgParser, $wgEnableParserCache, $wgUseFileCache;
1983
1984 if ( !$parserOptions ) {
1985 $parserOptions = $this->mPage->getParserOptions();
1986 }
1987
1988 $time = - wfTime();
1989 $this->mParserOutput = $wgParser->parse( $text, $this->getTitle(),
1990 $parserOptions, true, true, $this->getRevIdFetched() );
1991 $time += wfTime();
1992
1993 # Timing hack
1994 if ( $time > 3 ) {
1995 wfDebugLog( 'slow-parse', sprintf( "%-5.2f %s", $time,
1996 $this->getTitle()->getPrefixedDBkey() ) );
1997 }
1998
1999 if ( $wgEnableParserCache && $cache && $this->mParserOutput->isCacheable() ) {
2000 $parserCache = ParserCache::singleton();
2001 $parserCache->save( $this->mParserOutput, $this, $parserOptions );
2002 }
2003
2004 // Make sure file cache is not used on uncacheable content.
2005 // Output that has magic words in it can still use the parser cache
2006 // (if enabled), though it will generally expire sooner.
2007 if ( !$this->mParserOutput->isCacheable() || $this->mParserOutput->containsOldMagic() ) {
2008 $wgUseFileCache = false;
2009 }
2010
2011 $this->doCascadeProtectionUpdates( $this->mParserOutput );
2012
2013 return $this->mParserOutput;
2014 }
2015
2016 /**
2017 * Updates cascading protections
2018 *
2019 * @param $parserOutput ParserOutput object, or boolean false
2020 **/
2021 protected function doCascadeProtectionUpdates( $parserOutput ) {
2022 if ( !$this->isCurrent() || wfReadOnly() || !$this->getTitle()->areRestrictionsCascading() ) {
2023 return;
2024 }
2025
2026 // templatelinks table may have become out of sync,
2027 // especially if using variable-based transclusions.
2028 // For paranoia, check if things have changed and if
2029 // so apply updates to the database. This will ensure
2030 // that cascaded protections apply as soon as the changes
2031 // are visible.
2032
2033 # Get templates from templatelinks
2034 $id = $this->getTitle()->getArticleID();
2035
2036 $tlTemplates = array();
2037
2038 $dbr = wfGetDB( DB_SLAVE );
2039 $res = $dbr->select( array( 'templatelinks' ),
2040 array( 'tl_namespace', 'tl_title' ),
2041 array( 'tl_from' => $id ),
2042 __METHOD__
2043 );
2044
2045 foreach ( $res as $row ) {
2046 $tlTemplates["{$row->tl_namespace}:{$row->tl_title}"] = true;
2047 }
2048
2049 # Get templates from parser output.
2050 $poTemplates = array();
2051 foreach ( $parserOutput->getTemplates() as $ns => $templates ) {
2052 foreach ( $templates as $dbk => $id ) {
2053 $poTemplates["$ns:$dbk"] = true;
2054 }
2055 }
2056
2057 # Get the diff
2058 $templates_diff = array_diff_key( $poTemplates, $tlTemplates );
2059
2060 if ( count( $templates_diff ) > 0 ) {
2061 # Whee, link updates time.
2062 $u = new LinksUpdate( $this->getTitle(), $parserOutput, false );
2063 $u->doUpdate();
2064 }
2065 }
2066
2067 /**
2068 * Sets the context this Article is executed in
2069 *
2070 * @param $context RequestContext
2071 * @since 1.18
2072 */
2073 public function setContext( $context ) {
2074 $this->mContext = $context;
2075 }
2076
2077 /**
2078 * Gets the context this Article is executed in
2079 *
2080 * @return RequestContext
2081 * @since 1.18
2082 */
2083 public function getContext() {
2084 if ( $this->mContext instanceof RequestContext ) {
2085 return $this->mContext;
2086 } else {
2087 wfDebug( __METHOD__ . " called and \$mContext is null. Return RequestContext::getMain(); for sanity\n" );
2088 return RequestContext::getMain();
2089 }
2090 }
2091
2092 /**
2093 * Use PHP's magic __get handler to handle accessing of
2094 * raw WikiPage fields for backwards compatibility.
2095 *
2096 * @param $fname String Field name
2097 */
2098 public function __get( $fname ) {
2099 if ( property_exists( $this->mPage, $fname ) ) {
2100 #wfWarn( "Access to raw $fname field " . __CLASS__ );
2101 return $this->mPage->$fname;
2102 }
2103 trigger_error( 'Inaccessible property via __get(): ' . $fname, E_USER_NOTICE );
2104 }
2105
2106 /**
2107 * Use PHP's magic __set handler to handle setting of
2108 * raw WikiPage fields for backwards compatibility.
2109 *
2110 * @param $fname String Field name
2111 * @param $fvalue mixed New value
2112 * @param $args Array Arguments to the method
2113 */
2114 public function __set( $fname, $fvalue ) {
2115 if ( property_exists( $this->mPage, $fname ) ) {
2116 #wfWarn( "Access to raw $fname field of " . __CLASS__ );
2117 $this->mPage->$fname = $fvalue;
2118 // Note: extensions may want to toss on new fields
2119 } elseif ( !in_array( $fname, array( 'mContext', 'mPage' ) ) ) {
2120 $this->mPage->$fname = $fvalue;
2121 } else {
2122 trigger_error( 'Inaccessible property via __get(): ' . $fname, E_USER_NOTICE );
2123 }
2124 }
2125
2126 /**
2127 * Use PHP's magic __call handler to transform instance calls to
2128 * WikiPage functions for backwards compatibility.
2129 *
2130 * @param $fname String Name of called method
2131 * @param $args Array Arguments to the method
2132 */
2133 public function __call( $fname, $args ) {
2134 if ( is_callable( array( $this->mPage, $fname ) ) ) {
2135 #wfWarn( "Call to " . __CLASS__ . "::$fname; please use WikiPage instead" );
2136 return call_user_func_array( array( $this->mPage, $fname ), $args );
2137 }
2138 trigger_error( 'Inaccessible function via __call(): ' . $fname, E_USER_ERROR );
2139 }
2140
2141 // ****** B/C functions to work-around PHP silliness with __call and references ****** //
2142 public function updateRestrictions( $limit = array(), $reason = '', &$cascade = 0, $expiry = array() ) {
2143 return $this->mPage->updateRestrictions( $limit, $reason, $cascade, $expiry );
2144 }
2145
2146 public function doDeleteArticle( $reason, $suppress = false, $id = 0, $commit = true, &$error = '' ) {
2147 return $this->mPage->doDeleteArticle( $reason, $suppress, $id, $commit, $error );
2148 }
2149
2150 public function doRollback( $fromP, $summary, $token, $bot, &$resultDetails ) {
2151 return $this->mPage->doRollback( $fromP, $summary, $token, $bot, $resultDetails );
2152 }
2153
2154 public function commitRollback( $fromP, $summary, $bot, &$resultDetails ) {
2155 return $this->mPage->commitRollback( $fromP, $summary, $bot, $resultDetails );
2156 }
2157
2158 // ****** B/C functions for static methods ( __callStatic is PHP>=5.3 ) ****** //
2159 public static function selectFields() {
2160 return WikiPage::selectFields();
2161 }
2162
2163 public static function onArticleCreate( $title ) {
2164 return WikiPage::onArticleCreate( $title );
2165 }
2166
2167 public static function onArticleDelete( $title ) {
2168 return WikiPage::onArticleDelete( $title );
2169 }
2170
2171 public static function onArticleEdit( $title ) {
2172 return WikiPage::onArticleEdit( $title );
2173 }
2174
2175 public static function getAutosummary( $oldtext, $newtext, $flags ) {
2176 return WikiPage::getAutosummary( $oldtext, $newtext, $flags );
2177 }
2178 // ******
2179 }
2180
2181 class PoolWorkArticleView extends PoolCounterWork {
2182
2183 /**
2184 * @var Article
2185 */
2186 private $mArticle;
2187
2188 function __construct( $article, $key, $useParserCache, $parserOptions ) {
2189 parent::__construct( 'ArticleView', $key );
2190 $this->mArticle = $article;
2191 $this->cacheable = $useParserCache;
2192 $this->parserOptions = $parserOptions;
2193 }
2194
2195 function doWork() {
2196 return $this->mArticle->doViewParse();
2197 }
2198
2199 function getCachedWork() {
2200 global $wgOut;
2201
2202 $parserCache = ParserCache::singleton();
2203 $this->mArticle->mParserOutput = $parserCache->get( $this->mArticle, $this->parserOptions );
2204
2205 if ( $this->mArticle->mParserOutput !== false ) {
2206 wfDebug( __METHOD__ . ": showing contents parsed by someone else\n" );
2207 $wgOut->addParserOutput( $this->mArticle->mParserOutput );
2208 # Ensure that UI elements requiring revision ID have
2209 # the correct version information.
2210 $wgOut->setRevisionId( $this->mArticle->getLatest() );
2211 return true;
2212 }
2213 return false;
2214 }
2215
2216 function fallback() {
2217 return $this->mArticle->tryDirtyCache();
2218 }
2219
2220 /**
2221 * @param $status Status
2222 */
2223 function error( $status ) {
2224 global $wgOut;
2225
2226 $wgOut->clearHTML(); // for release() errors
2227 $wgOut->enableClientCache( false );
2228 $wgOut->setRobotPolicy( 'noindex,nofollow' );
2229
2230 $errortext = $status->getWikiText( false, 'view-pool-error' );
2231 $wgOut->addWikiText( '<div class="errorbox">' . $errortext . '</div>' );
2232
2233 return false;
2234 }
2235 }