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