Merge "Exclude redirects from Special:Fewestrevisions"
[lhc/web/wiklou.git] / includes / page / Article.php
1 <?php
2 /**
3 * User interface for page actions.
4 *
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
9 *
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
14 *
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
19 *
20 * @file
21 */
22 use MediaWiki\Block\DatabaseBlock;
23 use MediaWiki\MediaWikiServices;
24 use MediaWiki\Revision\MutableRevisionRecord;
25 use MediaWiki\Revision\RevisionRecord;
26 use MediaWiki\Revision\SlotRecord;
27
28 /**
29 * Class for viewing MediaWiki article and history.
30 *
31 * This maintains WikiPage functions for backwards compatibility.
32 *
33 * @todo Move and rewrite code to an Action class
34 *
35 * Note: edit user interface and cache support functions have been
36 * moved to separate EditPage and HTMLFileCache classes.
37 */
38 class Article implements Page {
39 /**
40 * @var IContextSource|null The context this Article is executed in.
41 * If null, RequestContext::getMain() is used.
42 */
43 protected $mContext;
44
45 /** @var WikiPage|null The WikiPage object of this instance */
46 protected $mPage;
47
48 /**
49 * @var ParserOptions|null ParserOptions object for $wgUser articles.
50 * Initialized by getParserOptions by calling $this->mPage->makeParserOptions().
51 */
52 public $mParserOptions;
53
54 /**
55 * @var Content|null Content of the main slot of $this->mRevision.
56 * @note This variable is read only, setting it has no effect.
57 * Extensions that wish to override the output of Article::view should use a hook.
58 * @todo MCR: Remove in 1.33
59 * @deprecated since 1.32
60 * @since 1.21
61 */
62 public $mContentObject;
63
64 /**
65 * @var bool Is the target revision loaded? Set by fetchRevisionRecord().
66 *
67 * @deprecated since 1.32. Whether content has been loaded should not be relevant to
68 * code outside this class.
69 */
70 public $mContentLoaded = false;
71
72 /**
73 * @var int|null The oldid of the article that was requested to be shown,
74 * 0 for the current revision.
75 * @see $mRevIdFetched
76 */
77 public $mOldId;
78
79 /** @var Title|null Title from which we were redirected here, if any. */
80 public $mRedirectedFrom = null;
81
82 /** @var string|bool URL to redirect to or false if none */
83 public $mRedirectUrl = false;
84
85 /**
86 * @var int Revision ID of revision that was loaded.
87 * @see $mOldId
88 * @deprecated since 1.32, use getRevIdFetched() instead.
89 */
90 public $mRevIdFetched = 0;
91
92 /**
93 * @var Status|null represents the outcome of fetchRevisionRecord().
94 * $fetchResult->value is the RevisionRecord object, if the operation was successful.
95 *
96 * The information in $fetchResult is duplicated by the following deprecated public fields:
97 * $mRevIdFetched, $mContentLoaded. $mRevision (and $mContentObject) also typically duplicate
98 * information of the loaded revision, but may be overwritten by extensions or due to errors.
99 */
100 private $fetchResult = null;
101
102 /**
103 * @var Revision|null Revision to be shown. Initialized by getOldIDFromRequest()
104 * or fetchContentObject(). Normally loaded from the database, but may be replaced
105 * by an extension, or be a fake representing an error message or some such.
106 * While the output of Article::view is typically based on this revision,
107 * it may be overwritten by error messages or replaced by extensions.
108 */
109 public $mRevision = null;
110
111 /**
112 * @var ParserOutput|null|false The ParserOutput generated for viewing the page,
113 * initialized by view(). If no ParserOutput could be generated, this is set to false.
114 * @deprecated since 1.32
115 */
116 public $mParserOutput = null;
117
118 /**
119 * @var bool Whether render() was called. With the way subclasses work
120 * here, there doesn't seem to be any other way to stop calling
121 * OutputPage::enableSectionEditLinks() and still have it work as it did before.
122 */
123 protected $viewIsRenderAction = false;
124
125 /**
126 * Constructor and clear the article
127 * @param Title $title Reference to a Title object.
128 * @param int|null $oldId Revision ID, null to fetch from request, zero for current
129 */
130 public function __construct( Title $title, $oldId = null ) {
131 $this->mOldId = $oldId;
132 $this->mPage = $this->newPage( $title );
133 }
134
135 /**
136 * @param Title $title
137 * @return WikiPage
138 */
139 protected function newPage( Title $title ) {
140 return new WikiPage( $title );
141 }
142
143 /**
144 * Constructor from a page id
145 * @param int $id Article ID to load
146 * @return Article|null
147 */
148 public static function newFromID( $id ) {
149 $t = Title::newFromID( $id );
150 return $t == null ? null : new static( $t );
151 }
152
153 /**
154 * Create an Article object of the appropriate class for the given page.
155 *
156 * @param Title $title
157 * @param IContextSource $context
158 * @return Article
159 */
160 public static function newFromTitle( $title, IContextSource $context ) {
161 if ( NS_MEDIA == $title->getNamespace() ) {
162 // XXX: This should not be here, but where should it go?
163 $title = Title::makeTitle( NS_FILE, $title->getDBkey() );
164 }
165
166 $page = null;
167 Hooks::run( 'ArticleFromTitle', [ &$title, &$page, $context ] );
168 if ( !$page ) {
169 switch ( $title->getNamespace() ) {
170 case NS_FILE:
171 $page = new ImagePage( $title );
172 break;
173 case NS_CATEGORY:
174 $page = new CategoryPage( $title );
175 break;
176 default:
177 $page = new Article( $title );
178 }
179 }
180 $page->setContext( $context );
181
182 return $page;
183 }
184
185 /**
186 * Create an Article object of the appropriate class for the given page.
187 *
188 * @param WikiPage $page
189 * @param IContextSource $context
190 * @return Article
191 */
192 public static function newFromWikiPage( WikiPage $page, IContextSource $context ) {
193 $article = self::newFromTitle( $page->getTitle(), $context );
194 $article->mPage = $page; // override to keep process cached vars
195 return $article;
196 }
197
198 /**
199 * Get the page this view was redirected from
200 * @return Title|null
201 * @since 1.28
202 */
203 public function getRedirectedFrom() {
204 return $this->mRedirectedFrom;
205 }
206
207 /**
208 * Tell the page view functions that this view was redirected
209 * from another page on the wiki.
210 * @param Title $from
211 */
212 public function setRedirectedFrom( Title $from ) {
213 $this->mRedirectedFrom = $from;
214 }
215
216 /**
217 * Get the title object of the article
218 *
219 * @return Title Title object of this page
220 */
221 public function getTitle() {
222 return $this->mPage->getTitle();
223 }
224
225 /**
226 * Get the WikiPage object of this instance
227 *
228 * @since 1.19
229 * @return WikiPage
230 */
231 public function getPage() {
232 return $this->mPage;
233 }
234
235 /**
236 * Clear the object
237 */
238 public function clear() {
239 $this->mContentLoaded = false;
240
241 $this->mRedirectedFrom = null; # Title object if set
242 $this->mRevIdFetched = 0;
243 $this->mRedirectUrl = false;
244 $this->mRevision = null;
245 $this->mContentObject = null;
246 $this->fetchResult = null;
247
248 // TODO hard-deprecate direct access to public fields
249
250 $this->mPage->clear();
251 }
252
253 /**
254 * Returns a Content object representing the pages effective display content,
255 * not necessarily the revision's content!
256 *
257 * Note that getContent does not follow redirects anymore.
258 * If you need to fetch redirectable content easily, try
259 * the shortcut in WikiPage::getRedirectTarget()
260 *
261 * This function has side effects! Do not use this function if you
262 * only want the real revision text if any.
263 *
264 * @deprecated since 1.32, use getRevisionFetched() or fetchRevisionRecord() instead.
265 *
266 * @return Content
267 *
268 * @since 1.21
269 */
270 protected function getContentObject() {
271 if ( $this->mPage->getId() === 0 ) {
272 $content = $this->getSubstituteContent();
273 } else {
274 $this->fetchContentObject();
275 $content = $this->mContentObject;
276 }
277
278 return $content;
279 }
280
281 /**
282 * Returns Content object to use when the page does not exist.
283 *
284 * @return Content
285 */
286 private function getSubstituteContent() {
287 # If this is a MediaWiki:x message, then load the messages
288 # and return the message value for x.
289 if ( $this->getTitle()->getNamespace() == NS_MEDIAWIKI ) {
290 $text = $this->getTitle()->getDefaultMessageText();
291 if ( $text === false ) {
292 $text = '';
293 }
294
295 $content = ContentHandler::makeContent( $text, $this->getTitle() );
296 } else {
297 $message = $this->getContext()->getUser()->isLoggedIn() ? 'noarticletext' : 'noarticletextanon';
298 $content = new MessageContent( $message, null );
299 }
300
301 return $content;
302 }
303
304 /**
305 * Returns ParserOutput to use when a page does not exist. In some cases, we still want to show
306 * "virtual" content, e.g. in the MediaWiki namespace, or in the File namespace for non-local
307 * files.
308 *
309 * @param ParserOptions $options
310 *
311 * @return ParserOutput
312 */
313 protected function getEmptyPageParserOutput( ParserOptions $options ) {
314 $content = $this->getSubstituteContent();
315
316 return $content->getParserOutput( $this->getTitle(), 0, $options );
317 }
318
319 /**
320 * @see getOldIDFromRequest()
321 * @see getRevIdFetched()
322 *
323 * @return int The oldid of the article that is was requested in the constructor or via the
324 * context's WebRequest.
325 */
326 public function getOldID() {
327 if ( is_null( $this->mOldId ) ) {
328 $this->mOldId = $this->getOldIDFromRequest();
329 }
330
331 return $this->mOldId;
332 }
333
334 /**
335 * Sets $this->mRedirectUrl to a correct URL if the query parameters are incorrect
336 *
337 * @return int The old id for the request
338 */
339 public function getOldIDFromRequest() {
340 $this->mRedirectUrl = false;
341
342 $request = $this->getContext()->getRequest();
343 $oldid = $request->getIntOrNull( 'oldid' );
344
345 if ( $oldid === null ) {
346 return 0;
347 }
348
349 if ( $oldid !== 0 ) {
350 # Load the given revision and check whether the page is another one.
351 # In that case, update this instance to reflect the change.
352 if ( $oldid === $this->mPage->getLatest() ) {
353 $this->mRevision = $this->mPage->getRevision();
354 } else {
355 $this->mRevision = Revision::newFromId( $oldid );
356 if ( $this->mRevision !== null ) {
357 // Revision title doesn't match the page title given?
358 if ( $this->mPage->getId() != $this->mRevision->getPage() ) {
359 $function = get_class( $this->mPage ) . '::newFromID';
360 $this->mPage = $function( $this->mRevision->getPage() );
361 }
362 }
363 }
364 }
365
366 if ( $request->getVal( 'direction' ) == 'next' ) {
367 $nextid = $this->getTitle()->getNextRevisionID( $oldid );
368 if ( $nextid ) {
369 $oldid = $nextid;
370 $this->mRevision = null;
371 } else {
372 $this->mRedirectUrl = $this->getTitle()->getFullURL( 'redirect=no' );
373 }
374 } elseif ( $request->getVal( 'direction' ) == 'prev' ) {
375 $previd = $this->getTitle()->getPreviousRevisionID( $oldid );
376 if ( $previd ) {
377 $oldid = $previd;
378 $this->mRevision = null;
379 }
380 }
381
382 $this->mRevIdFetched = $this->mRevision ? $this->mRevision->getId() : 0;
383
384 return $oldid;
385 }
386
387 /**
388 * Get text content object
389 * Does *NOT* follow redirects.
390 * @todo When is this null?
391 * @deprecated since 1.32, use fetchRevisionRecord() instead.
392 *
393 * @note Code that wants to retrieve page content from the database should
394 * use WikiPage::getContent().
395 *
396 * @return Content|null|bool
397 *
398 * @since 1.21
399 */
400 protected function fetchContentObject() {
401 if ( !$this->mContentLoaded ) {
402 $this->fetchRevisionRecord();
403 }
404
405 return $this->mContentObject;
406 }
407
408 /**
409 * Fetches the revision to work on.
410 * The revision is typically loaded from the database, but may also be a fake representing
411 * an error message or content supplied by an extension. Refer to $this->fetchResult for
412 * the revision actually loaded from the database, and any errors encountered while doing
413 * that.
414 *
415 * @return RevisionRecord|null
416 */
417 protected function fetchRevisionRecord() {
418 if ( $this->fetchResult ) {
419 return $this->mRevision ? $this->mRevision->getRevisionRecord() : null;
420 }
421
422 $this->mContentLoaded = true;
423 $this->mContentObject = null;
424
425 $oldid = $this->getOldID();
426
427 // $this->mRevision might already be fetched by getOldIDFromRequest()
428 if ( !$this->mRevision ) {
429 if ( !$oldid ) {
430 $this->mRevision = $this->mPage->getRevision();
431
432 if ( !$this->mRevision ) {
433 wfDebug( __METHOD__ . " failed to find page data for title " .
434 $this->getTitle()->getPrefixedText() . "\n" );
435
436 // Just for sanity, output for this case is done by showMissingArticle().
437 $this->fetchResult = Status::newFatal( 'noarticletext' );
438 $this->applyContentOverride( $this->makeFetchErrorContent() );
439 return null;
440 }
441 } else {
442 $this->mRevision = Revision::newFromId( $oldid );
443
444 if ( !$this->mRevision ) {
445 wfDebug( __METHOD__ . " failed to load revision, rev_id $oldid\n" );
446
447 $this->fetchResult = Status::newFatal( 'missing-revision', $oldid );
448 $this->applyContentOverride( $this->makeFetchErrorContent() );
449 return null;
450 }
451 }
452 }
453
454 $this->mRevIdFetched = $this->mRevision->getId();
455 $this->fetchResult = Status::newGood( $this->mRevision );
456
457 if (
458 !$this->mRevision->userCan( RevisionRecord::DELETED_TEXT, $this->getContext()->getUser() )
459 ) {
460 wfDebug( __METHOD__ . " failed to retrieve content of revision " .
461 $this->mRevision->getId() . "\n" );
462
463 // Just for sanity, output for this case is done by showDeletedRevisionHeader().
464 $this->fetchResult = Status::newFatal( 'rev-deleted-text-permission' );
465 $this->applyContentOverride( $this->makeFetchErrorContent() );
466 return null;
467 }
468
469 if ( Hooks::isRegistered( 'ArticleAfterFetchContentObject' ) ) {
470 $contentObject = $this->mRevision->getContent(
471 RevisionRecord::FOR_THIS_USER,
472 $this->getContext()->getUser()
473 );
474
475 $hookContentObject = $contentObject;
476
477 // Avoid PHP 7.1 warning of passing $this by reference
478 $articlePage = $this;
479
480 Hooks::run(
481 'ArticleAfterFetchContentObject',
482 [ &$articlePage, &$hookContentObject ],
483 '1.32'
484 );
485
486 if ( $hookContentObject !== $contentObject ) {
487 // A hook handler is trying to override the content
488 $this->applyContentOverride( $hookContentObject );
489 }
490 }
491
492 // For B/C only
493 $this->mContentObject = $this->mRevision->getContent(
494 RevisionRecord::FOR_THIS_USER,
495 $this->getContext()->getUser()
496 );
497
498 return $this->mRevision->getRevisionRecord();
499 }
500
501 /**
502 * Returns a Content object representing any error in $this->fetchContent, or null
503 * if there is no such error.
504 *
505 * @return Content|null
506 */
507 private function makeFetchErrorContent() {
508 if ( !$this->fetchResult || $this->fetchResult->isOK() ) {
509 return null;
510 }
511
512 return new MessageContent( $this->fetchResult->getMessage() );
513 }
514
515 /**
516 * Applies a content override by constructing a fake Revision object and assigning
517 * it to mRevision. The fake revision will not have a user, timestamp or summary set.
518 *
519 * This mechanism exists mainly to accommodate extensions that use the
520 * ArticleAfterFetchContentObject. Once that hook has been removed, there should no longer
521 * be a need for a fake revision object. fetchRevisionRecord() presently also uses this mechanism
522 * to report errors, but that could be changed to use $this->fetchResult instead.
523 *
524 * @param Content $override Content to be used instead of the actual page content,
525 * coming from an extension or representing an error message.
526 */
527 private function applyContentOverride( Content $override ) {
528 // Construct a fake revision
529 $rev = new MutableRevisionRecord( $this->getTitle() );
530 $rev->setContent( SlotRecord::MAIN, $override );
531
532 $this->mRevision = new Revision( $rev );
533
534 // For B/C only
535 $this->mContentObject = $override;
536 }
537
538 /**
539 * Returns true if the currently-referenced revision is the current edit
540 * to this page (and it exists).
541 * @return bool
542 */
543 public function isCurrent() {
544 # If no oldid, this is the current version.
545 if ( $this->getOldID() == 0 ) {
546 return true;
547 }
548
549 return $this->mPage->exists() && $this->mRevision && $this->mRevision->isCurrent();
550 }
551
552 /**
553 * Get the fetched Revision object depending on request parameters or null
554 * on failure. The revision returned may be a fake representing an error message or
555 * wrapping content supplied by an extension. Refer to $this->fetchResult for the
556 * revision actually loaded from the database.
557 *
558 * @since 1.19
559 * @return Revision|null
560 */
561 public function getRevisionFetched() {
562 $this->fetchRevisionRecord();
563
564 if ( $this->fetchResult->isOK() ) {
565 return $this->mRevision;
566 }
567 }
568
569 /**
570 * Use this to fetch the rev ID used on page views
571 *
572 * Before fetchRevisionRecord was called, this returns the page's latest revision,
573 * regardless of what getOldID() returns.
574 *
575 * @return int Revision ID of last article revision
576 */
577 public function getRevIdFetched() {
578 if ( $this->fetchResult && $this->fetchResult->isOK() ) {
579 return $this->fetchResult->value->getId();
580 } else {
581 return $this->mPage->getLatest();
582 }
583 }
584
585 /**
586 * This is the default action of the index.php entry point: just view the
587 * page of the given title.
588 */
589 public function view() {
590 global $wgUseFileCache, $wgDebugToolbar;
591
592 # Get variables from query string
593 # As side effect this will load the revision and update the title
594 # in a revision ID is passed in the request, so this should remain
595 # the first call of this method even if $oldid is used way below.
596 $oldid = $this->getOldID();
597
598 $user = $this->getContext()->getUser();
599 # Another whitelist check in case getOldID() is altering the title
600 $permErrors = $this->getTitle()->getUserPermissionsErrors( 'read', $user );
601 if ( count( $permErrors ) ) {
602 wfDebug( __METHOD__ . ": denied on secondary read check\n" );
603 throw new PermissionsError( 'read', $permErrors );
604 }
605
606 $outputPage = $this->getContext()->getOutput();
607 # getOldID() may as well want us to redirect somewhere else
608 if ( $this->mRedirectUrl ) {
609 $outputPage->redirect( $this->mRedirectUrl );
610 wfDebug( __METHOD__ . ": redirecting due to oldid\n" );
611
612 return;
613 }
614
615 # If we got diff in the query, we want to see a diff page instead of the article.
616 if ( $this->getContext()->getRequest()->getCheck( 'diff' ) ) {
617 wfDebug( __METHOD__ . ": showing diff page\n" );
618 $this->showDiffPage();
619
620 return;
621 }
622
623 # Set page title (may be overridden by DISPLAYTITLE)
624 $outputPage->setPageTitle( $this->getTitle()->getPrefixedText() );
625
626 $outputPage->setArticleFlag( true );
627 # Allow frames by default
628 $outputPage->allowClickjacking();
629
630 $parserCache = MediaWikiServices::getInstance()->getParserCache();
631
632 $parserOptions = $this->getParserOptions();
633 $poOptions = [];
634 # Render printable version, use printable version cache
635 if ( $outputPage->isPrintable() ) {
636 $parserOptions->setIsPrintable( true );
637 $poOptions['enableSectionEditLinks'] = false;
638 } elseif ( $this->viewIsRenderAction
639 || !$this->isCurrent() || !$this->getTitle()->quickUserCan( 'edit', $user )
640 ) {
641 $poOptions['enableSectionEditLinks'] = false;
642 }
643
644 # Try client and file cache
645 if ( !$wgDebugToolbar && $oldid === 0 && $this->mPage->checkTouched() ) {
646 # Try to stream the output from file cache
647 if ( $wgUseFileCache && $this->tryFileCache() ) {
648 wfDebug( __METHOD__ . ": done file cache\n" );
649 # tell wgOut that output is taken care of
650 $outputPage->disable();
651 $this->mPage->doViewUpdates( $user, $oldid );
652
653 return;
654 }
655 }
656
657 # Should the parser cache be used?
658 $useParserCache = $this->mPage->shouldCheckParserCache( $parserOptions, $oldid );
659 wfDebug( 'Article::view using parser cache: ' . ( $useParserCache ? 'yes' : 'no' ) . "\n" );
660 if ( $user->getStubThreshold() ) {
661 MediaWikiServices::getInstance()->getStatsdDataFactory()->increment( 'pcache_miss_stub' );
662 }
663
664 $this->showRedirectedFromHeader();
665 $this->showNamespaceHeader();
666
667 # Iterate through the possible ways of constructing the output text.
668 # Keep going until $outputDone is set, or we run out of things to do.
669 $pass = 0;
670 $outputDone = false;
671 $this->mParserOutput = false;
672
673 while ( !$outputDone && ++$pass ) {
674 switch ( $pass ) {
675 case 1:
676 // Avoid PHP 7.1 warning of passing $this by reference
677 $articlePage = $this;
678 Hooks::run( 'ArticleViewHeader', [ &$articlePage, &$outputDone, &$useParserCache ] );
679 break;
680 case 2:
681 # Early abort if the page doesn't exist
682 if ( !$this->mPage->exists() ) {
683 wfDebug( __METHOD__ . ": showing missing article\n" );
684 $this->showMissingArticle();
685 $this->mPage->doViewUpdates( $user );
686 return;
687 }
688
689 # Try the parser cache
690 if ( $useParserCache ) {
691 $this->mParserOutput = $parserCache->get( $this->mPage, $parserOptions );
692
693 if ( $this->mParserOutput !== false ) {
694 if ( $oldid ) {
695 wfDebug( __METHOD__ . ": showing parser cache contents for current rev permalink\n" );
696 $this->setOldSubtitle( $oldid );
697 } else {
698 wfDebug( __METHOD__ . ": showing parser cache contents\n" );
699 }
700 $outputPage->addParserOutput( $this->mParserOutput, $poOptions );
701 # Ensure that UI elements requiring revision ID have
702 # the correct version information.
703 $outputPage->setRevisionId( $this->mPage->getLatest() );
704 # Preload timestamp to avoid a DB hit
705 $cachedTimestamp = $this->mParserOutput->getTimestamp();
706 if ( $cachedTimestamp !== null ) {
707 $outputPage->setRevisionTimestamp( $cachedTimestamp );
708 $this->mPage->setTimestamp( $cachedTimestamp );
709 }
710 $outputDone = true;
711 }
712 }
713 break;
714 case 3:
715 # Are we looking at an old revision
716 $rev = $this->fetchRevisionRecord();
717 if ( $oldid && $this->fetchResult->isOK() ) {
718 $this->setOldSubtitle( $oldid );
719
720 if ( !$this->showDeletedRevisionHeader() ) {
721 wfDebug( __METHOD__ . ": cannot view deleted revision\n" );
722 return;
723 }
724 }
725
726 # Ensure that UI elements requiring revision ID have
727 # the correct version information.
728 $outputPage->setRevisionId( $this->getRevIdFetched() );
729 # Preload timestamp to avoid a DB hit
730 $outputPage->setRevisionTimestamp( $this->mPage->getTimestamp() );
731
732 # Pages containing custom CSS or JavaScript get special treatment
733 if ( $this->getTitle()->isSiteConfigPage() || $this->getTitle()->isUserConfigPage() ) {
734 $dir = $this->getContext()->getLanguage()->getDir();
735 $lang = $this->getContext()->getLanguage()->getHtmlCode();
736
737 $outputPage->wrapWikiMsg(
738 "<div id='mw-clearyourcache' lang='$lang' dir='$dir' class='mw-content-$dir'>\n$1\n</div>",
739 'clearyourcache'
740 );
741 } elseif ( !Hooks::run( 'ArticleRevisionViewCustom', [
742 $rev,
743 $this->getTitle(),
744 $oldid,
745 $outputPage,
746 ] )
747 ) {
748 // NOTE: sync with hooks called in DifferenceEngine::renderNewRevision()
749 // Allow extensions do their own custom view for certain pages
750 $outputDone = true;
751 } elseif ( !Hooks::run( 'ArticleContentViewCustom',
752 [ $this->fetchContentObject(), $this->getTitle(), $outputPage ], '1.32' )
753 ) {
754 // NOTE: sync with hooks called in DifferenceEngine::renderNewRevision()
755 // Allow extensions do their own custom view for certain pages
756 $outputDone = true;
757 }
758 break;
759 case 4:
760 # Run the parse, protected by a pool counter
761 wfDebug( __METHOD__ . ": doing uncached parse\n" );
762
763 $rev = $this->fetchRevisionRecord();
764 $error = null;
765
766 if ( $rev ) {
767 $poolArticleView = new PoolWorkArticleView(
768 $this->getPage(),
769 $parserOptions,
770 $this->getRevIdFetched(),
771 $useParserCache,
772 $rev,
773 // permission checking was done earlier via showDeletedRevisionHeader()
774 RevisionRecord::RAW
775 );
776 $ok = $poolArticleView->execute();
777 $error = $poolArticleView->getError();
778 $this->mParserOutput = $poolArticleView->getParserOutput() ?: null;
779
780 # Don't cache a dirty ParserOutput object
781 if ( $poolArticleView->getIsDirty() ) {
782 $outputPage->setCdnMaxage( 0 );
783 $outputPage->addHTML( "<!-- parser cache is expired, " .
784 "sending anyway due to pool overload-->\n" );
785 }
786 } else {
787 $ok = false;
788 }
789
790 if ( !$ok ) {
791 if ( $error ) {
792 $outputPage->clearHTML(); // for release() errors
793 $outputPage->enableClientCache( false );
794 $outputPage->setRobotPolicy( 'noindex,nofollow' );
795
796 $errortext = $error->getWikiText( false, 'view-pool-error' );
797 $outputPage->wrapWikiTextAsInterface( 'errorbox', $errortext );
798 }
799 # Connection or timeout error
800 return;
801 }
802
803 if ( $this->mParserOutput ) {
804 $outputPage->addParserOutput( $this->mParserOutput, $poOptions );
805 }
806
807 if ( $rev && $this->getRevisionRedirectTarget( $rev ) ) {
808 $outputPage->addSubtitle( "<span id=\"redirectsub\">" .
809 $this->getContext()->msg( 'redirectpagesub' )->parse() . "</span>" );
810 }
811
812 $outputDone = true;
813 break;
814 # Should be unreachable, but just in case...
815 default:
816 break 2;
817 }
818 }
819
820 // Get the ParserOutput actually *displayed* here.
821 // Note that $this->mParserOutput is the *current*/oldid version output.
822 // Note that the ArticleViewHeader hook is allowed to set $outputDone to a
823 // ParserOutput instance.
824 $pOutput = ( $outputDone instanceof ParserOutput )
825 ? $outputDone // object fetched by hook
826 : ( $this->mParserOutput ?: null ); // ParserOutput or null, avoid false
827
828 # Adjust title for main page & pages with displaytitle
829 if ( $pOutput ) {
830 $this->adjustDisplayTitle( $pOutput );
831 }
832
833 # For the main page, overwrite the <title> element with the con-
834 # tents of 'pagetitle-view-mainpage' instead of the default (if
835 # that's not empty).
836 # This message always exists because it is in the i18n files
837 if ( $this->getTitle()->isMainPage() ) {
838 $msg = wfMessage( 'pagetitle-view-mainpage' )->inContentLanguage();
839 if ( !$msg->isDisabled() ) {
840 $outputPage->setHTMLTitle( $msg->title( $this->getTitle() )->text() );
841 }
842 }
843
844 # Use adaptive TTLs for CDN so delayed/failed purges are noticed less often.
845 # This could use getTouched(), but that could be scary for major template edits.
846 $outputPage->adaptCdnTTL( $this->mPage->getTimestamp(), IExpiringStore::TTL_DAY );
847
848 # Check for any __NOINDEX__ tags on the page using $pOutput
849 $policy = $this->getRobotPolicy( 'view', $pOutput ?: null );
850 $outputPage->setIndexPolicy( $policy['index'] );
851 $outputPage->setFollowPolicy( $policy['follow'] ); // FIXME: test this
852
853 $this->showViewFooter();
854 $this->mPage->doViewUpdates( $user, $oldid ); // FIXME: test this
855
856 # Load the postEdit module if the user just saved this revision
857 # See also EditPage::setPostEditCookie
858 $request = $this->getContext()->getRequest();
859 $cookieKey = EditPage::POST_EDIT_COOKIE_KEY_PREFIX . $this->getRevIdFetched();
860 $postEdit = $request->getCookie( $cookieKey );
861 if ( $postEdit ) {
862 # Clear the cookie. This also prevents caching of the response.
863 $request->response()->clearCookie( $cookieKey );
864 $outputPage->addJsConfigVars( 'wgPostEdit', $postEdit );
865 $outputPage->addModules( 'mediawiki.action.view.postEdit' ); // FIXME: test this
866 }
867 }
868
869 /**
870 * @param RevisionRecord $revision
871 * @return null|Title
872 */
873 private function getRevisionRedirectTarget( RevisionRecord $revision ) {
874 // TODO: find a *good* place for the code that determines the redirect target for
875 // a given revision!
876 // NOTE: Use main slot content. Compare code in DerivedPageDataUpdater::revisionIsRedirect.
877 $content = $revision->getContent( SlotRecord::MAIN );
878 return $content ? $content->getRedirectTarget() : null;
879 }
880
881 /**
882 * Adjust title for pages with displaytitle, -{T|}- or language conversion
883 * @param ParserOutput $pOutput
884 */
885 public function adjustDisplayTitle( ParserOutput $pOutput ) {
886 $out = $this->getContext()->getOutput();
887
888 # Adjust the title if it was set by displaytitle, -{T|}- or language conversion
889 $titleText = $pOutput->getTitleText();
890 if ( strval( $titleText ) !== '' ) {
891 $out->setPageTitle( $titleText );
892 $out->setDisplayTitle( $titleText );
893 }
894 }
895
896 /**
897 * Show a diff page according to current request variables. For use within
898 * Article::view() only, other callers should use the DifferenceEngine class.
899 */
900 protected function showDiffPage() {
901 $request = $this->getContext()->getRequest();
902 $user = $this->getContext()->getUser();
903 $diff = $request->getVal( 'diff' );
904 $rcid = $request->getVal( 'rcid' );
905 $diffOnly = $request->getBool( 'diffonly', $user->getOption( 'diffonly' ) );
906 $purge = $request->getVal( 'action' ) == 'purge';
907 $unhide = $request->getInt( 'unhide' ) == 1;
908 $oldid = $this->getOldID();
909
910 $rev = $this->getRevisionFetched();
911
912 if ( !$rev ) {
913 $this->getContext()->getOutput()->setPageTitle( wfMessage( 'errorpagetitle' ) );
914 $msg = $this->getContext()->msg( 'difference-missing-revision' )
915 ->params( $oldid )
916 ->numParams( 1 )
917 ->parseAsBlock();
918 $this->getContext()->getOutput()->addHTML( $msg );
919 return;
920 }
921
922 $contentHandler = $rev->getContentHandler();
923 $de = $contentHandler->createDifferenceEngine(
924 $this->getContext(),
925 $oldid,
926 $diff,
927 $rcid,
928 $purge,
929 $unhide
930 );
931
932 // DifferenceEngine directly fetched the revision:
933 $this->mRevIdFetched = $de->getNewid();
934 $de->showDiffPage( $diffOnly );
935
936 // Run view updates for the newer revision being diffed (and shown
937 // below the diff if not $diffOnly).
938 list( $old, $new ) = $de->mapDiffPrevNext( $oldid, $diff );
939 // New can be false, convert it to 0 - this conveniently means the latest revision
940 $this->mPage->doViewUpdates( $user, (int)$new );
941 }
942
943 /**
944 * Get the robot policy to be used for the current view
945 * @param string $action The action= GET parameter
946 * @param ParserOutput|null $pOutput
947 * @return array The policy that should be set
948 * @todo actions other than 'view'
949 */
950 public function getRobotPolicy( $action, ParserOutput $pOutput = null ) {
951 global $wgArticleRobotPolicies, $wgNamespaceRobotPolicies, $wgDefaultRobotPolicy;
952
953 $ns = $this->getTitle()->getNamespace();
954
955 # Don't index user and user talk pages for blocked users (T13443)
956 if ( ( $ns == NS_USER || $ns == NS_USER_TALK ) && !$this->getTitle()->isSubpage() ) {
957 $specificTarget = null;
958 $vagueTarget = null;
959 $titleText = $this->getTitle()->getText();
960 if ( IP::isValid( $titleText ) ) {
961 $vagueTarget = $titleText;
962 } else {
963 $specificTarget = $titleText;
964 }
965 if ( DatabaseBlock::newFromTarget( $specificTarget, $vagueTarget ) instanceof DatabaseBlock ) {
966 return [
967 'index' => 'noindex',
968 'follow' => 'nofollow'
969 ];
970 }
971 }
972
973 if ( $this->mPage->getId() === 0 || $this->getOldID() ) {
974 # Non-articles (special pages etc), and old revisions
975 return [
976 'index' => 'noindex',
977 'follow' => 'nofollow'
978 ];
979 } elseif ( $this->getContext()->getOutput()->isPrintable() ) {
980 # Discourage indexing of printable versions, but encourage following
981 return [
982 'index' => 'noindex',
983 'follow' => 'follow'
984 ];
985 } elseif ( $this->getContext()->getRequest()->getInt( 'curid' ) ) {
986 # For ?curid=x urls, disallow indexing
987 return [
988 'index' => 'noindex',
989 'follow' => 'follow'
990 ];
991 }
992
993 # Otherwise, construct the policy based on the various config variables.
994 $policy = self::formatRobotPolicy( $wgDefaultRobotPolicy );
995
996 if ( isset( $wgNamespaceRobotPolicies[$ns] ) ) {
997 # Honour customised robot policies for this namespace
998 $policy = array_merge(
999 $policy,
1000 self::formatRobotPolicy( $wgNamespaceRobotPolicies[$ns] )
1001 );
1002 }
1003 if ( $this->getTitle()->canUseNoindex() && is_object( $pOutput ) && $pOutput->getIndexPolicy() ) {
1004 # __INDEX__ and __NOINDEX__ magic words, if allowed. Incorporates
1005 # a final sanity check that we have really got the parser output.
1006 $policy = array_merge(
1007 $policy,
1008 [ 'index' => $pOutput->getIndexPolicy() ]
1009 );
1010 }
1011
1012 if ( isset( $wgArticleRobotPolicies[$this->getTitle()->getPrefixedText()] ) ) {
1013 # (T16900) site config can override user-defined __INDEX__ or __NOINDEX__
1014 $policy = array_merge(
1015 $policy,
1016 self::formatRobotPolicy( $wgArticleRobotPolicies[$this->getTitle()->getPrefixedText()] )
1017 );
1018 }
1019
1020 return $policy;
1021 }
1022
1023 /**
1024 * Converts a String robot policy into an associative array, to allow
1025 * merging of several policies using array_merge().
1026 * @param array|string $policy Returns empty array on null/false/'', transparent
1027 * to already-converted arrays, converts string.
1028 * @return array 'index' => \<indexpolicy\>, 'follow' => \<followpolicy\>
1029 */
1030 public static function formatRobotPolicy( $policy ) {
1031 if ( is_array( $policy ) ) {
1032 return $policy;
1033 } elseif ( !$policy ) {
1034 return [];
1035 }
1036
1037 $policy = explode( ',', $policy );
1038 $policy = array_map( 'trim', $policy );
1039
1040 $arr = [];
1041 foreach ( $policy as $var ) {
1042 if ( in_array( $var, [ 'index', 'noindex' ] ) ) {
1043 $arr['index'] = $var;
1044 } elseif ( in_array( $var, [ 'follow', 'nofollow' ] ) ) {
1045 $arr['follow'] = $var;
1046 }
1047 }
1048
1049 return $arr;
1050 }
1051
1052 /**
1053 * If this request is a redirect view, send "redirected from" subtitle to
1054 * the output. Returns true if the header was needed, false if this is not
1055 * a redirect view. Handles both local and remote redirects.
1056 *
1057 * @return bool
1058 */
1059 public function showRedirectedFromHeader() {
1060 global $wgRedirectSources;
1061
1062 $context = $this->getContext();
1063 $outputPage = $context->getOutput();
1064 $request = $context->getRequest();
1065 $rdfrom = $request->getVal( 'rdfrom' );
1066
1067 // Construct a URL for the current page view, but with the target title
1068 $query = $request->getValues();
1069 unset( $query['rdfrom'] );
1070 unset( $query['title'] );
1071 if ( $this->getTitle()->isRedirect() ) {
1072 // Prevent double redirects
1073 $query['redirect'] = 'no';
1074 }
1075 $redirectTargetUrl = $this->getTitle()->getLinkURL( $query );
1076
1077 if ( isset( $this->mRedirectedFrom ) ) {
1078 // Avoid PHP 7.1 warning of passing $this by reference
1079 $articlePage = $this;
1080
1081 // This is an internally redirected page view.
1082 // We'll need a backlink to the source page for navigation.
1083 if ( Hooks::run( 'ArticleViewRedirect', [ &$articlePage ] ) ) {
1084 $redir = Linker::linkKnown(
1085 $this->mRedirectedFrom,
1086 null,
1087 [],
1088 [ 'redirect' => 'no' ]
1089 );
1090
1091 $outputPage->addSubtitle( "<span class=\"mw-redirectedfrom\">" .
1092 $context->msg( 'redirectedfrom' )->rawParams( $redir )->parse()
1093 . "</span>" );
1094
1095 // Add the script to update the displayed URL and
1096 // set the fragment if one was specified in the redirect
1097 $outputPage->addJsConfigVars( [
1098 'wgInternalRedirectTargetUrl' => $redirectTargetUrl,
1099 ] );
1100 $outputPage->addModules( 'mediawiki.action.view.redirect' );
1101
1102 // Add a <link rel="canonical"> tag
1103 $outputPage->setCanonicalUrl( $this->getTitle()->getCanonicalURL() );
1104
1105 // Tell the output object that the user arrived at this article through a redirect
1106 $outputPage->setRedirectedFrom( $this->mRedirectedFrom );
1107
1108 return true;
1109 }
1110 } elseif ( $rdfrom ) {
1111 // This is an externally redirected view, from some other wiki.
1112 // If it was reported from a trusted site, supply a backlink.
1113 if ( $wgRedirectSources && preg_match( $wgRedirectSources, $rdfrom ) ) {
1114 $redir = Linker::makeExternalLink( $rdfrom, $rdfrom );
1115 $outputPage->addSubtitle( "<span class=\"mw-redirectedfrom\">" .
1116 $context->msg( 'redirectedfrom' )->rawParams( $redir )->parse()
1117 . "</span>" );
1118
1119 // Add the script to update the displayed URL
1120 $outputPage->addJsConfigVars( [
1121 'wgInternalRedirectTargetUrl' => $redirectTargetUrl,
1122 ] );
1123 $outputPage->addModules( 'mediawiki.action.view.redirect' );
1124
1125 return true;
1126 }
1127 }
1128
1129 return false;
1130 }
1131
1132 /**
1133 * Show a header specific to the namespace currently being viewed, like
1134 * [[MediaWiki:Talkpagetext]]. For Article::view().
1135 */
1136 public function showNamespaceHeader() {
1137 if ( $this->getTitle()->isTalkPage() && !wfMessage( 'talkpageheader' )->isDisabled() ) {
1138 $this->getContext()->getOutput()->wrapWikiMsg(
1139 "<div class=\"mw-talkpageheader\">\n$1\n</div>",
1140 [ 'talkpageheader' ]
1141 );
1142 }
1143 }
1144
1145 /**
1146 * Show the footer section of an ordinary page view
1147 */
1148 public function showViewFooter() {
1149 # check if we're displaying a [[User talk:x.x.x.x]] anonymous talk page
1150 if ( $this->getTitle()->getNamespace() == NS_USER_TALK
1151 && IP::isValid( $this->getTitle()->getText() )
1152 ) {
1153 $this->getContext()->getOutput()->addWikiMsg( 'anontalkpagetext' );
1154 }
1155
1156 // Show a footer allowing the user to patrol the shown revision or page if possible
1157 $patrolFooterShown = $this->showPatrolFooter();
1158
1159 Hooks::run( 'ArticleViewFooter', [ $this, $patrolFooterShown ] );
1160 }
1161
1162 /**
1163 * If patrol is possible, output a patrol UI box. This is called from the
1164 * footer section of ordinary page views. If patrol is not possible or not
1165 * desired, does nothing.
1166 * Side effect: When the patrol link is build, this method will call
1167 * OutputPage::preventClickjacking() and load mediawiki.page.patrol.ajax.
1168 *
1169 * @return bool
1170 */
1171 public function showPatrolFooter() {
1172 global $wgUseNPPatrol, $wgUseRCPatrol, $wgUseFilePatrol;
1173
1174 // Allow hooks to decide whether to not output this at all
1175 if ( !Hooks::run( 'ArticleShowPatrolFooter', [ $this ] ) ) {
1176 return false;
1177 }
1178
1179 $outputPage = $this->getContext()->getOutput();
1180 $user = $this->getContext()->getUser();
1181 $title = $this->getTitle();
1182 $rc = false;
1183
1184 if ( !$title->quickUserCan( 'patrol', $user )
1185 || !( $wgUseRCPatrol || $wgUseNPPatrol
1186 || ( $wgUseFilePatrol && $title->inNamespace( NS_FILE ) ) )
1187 ) {
1188 // Patrolling is disabled or the user isn't allowed to
1189 return false;
1190 }
1191
1192 if ( $this->mRevision
1193 && !RecentChange::isInRCLifespan( $this->mRevision->getTimestamp(), 21600 )
1194 ) {
1195 // The current revision is already older than what could be in the RC table
1196 // 6h tolerance because the RC might not be cleaned out regularly
1197 return false;
1198 }
1199
1200 // Check for cached results
1201 $cache = MediaWikiServices::getInstance()->getMainWANObjectCache();
1202 $key = $cache->makeKey( 'unpatrollable-page', $title->getArticleID() );
1203 if ( $cache->get( $key ) ) {
1204 return false;
1205 }
1206
1207 $dbr = wfGetDB( DB_REPLICA );
1208 $oldestRevisionTimestamp = $dbr->selectField(
1209 'revision',
1210 'MIN( rev_timestamp )',
1211 [ 'rev_page' => $title->getArticleID() ],
1212 __METHOD__
1213 );
1214
1215 // New page patrol: Get the timestamp of the oldest revison which
1216 // the revision table holds for the given page. Then we look
1217 // whether it's within the RC lifespan and if it is, we try
1218 // to get the recentchanges row belonging to that entry
1219 // (with rc_new = 1).
1220 $recentPageCreation = false;
1221 if ( $oldestRevisionTimestamp
1222 && RecentChange::isInRCLifespan( $oldestRevisionTimestamp, 21600 )
1223 ) {
1224 // 6h tolerance because the RC might not be cleaned out regularly
1225 $recentPageCreation = true;
1226 $rc = RecentChange::newFromConds(
1227 [
1228 'rc_new' => 1,
1229 'rc_timestamp' => $oldestRevisionTimestamp,
1230 'rc_namespace' => $title->getNamespace(),
1231 'rc_cur_id' => $title->getArticleID()
1232 ],
1233 __METHOD__
1234 );
1235 if ( $rc ) {
1236 // Use generic patrol message for new pages
1237 $markPatrolledMsg = wfMessage( 'markaspatrolledtext' );
1238 }
1239 }
1240
1241 // File patrol: Get the timestamp of the latest upload for this page,
1242 // check whether it is within the RC lifespan and if it is, we try
1243 // to get the recentchanges row belonging to that entry
1244 // (with rc_type = RC_LOG, rc_log_type = upload).
1245 $recentFileUpload = false;
1246 if ( ( !$rc || $rc->getAttribute( 'rc_patrolled' ) ) && $wgUseFilePatrol
1247 && $title->getNamespace() === NS_FILE ) {
1248 // Retrieve timestamp of most recent upload
1249 $newestUploadTimestamp = $dbr->selectField(
1250 'image',
1251 'MAX( img_timestamp )',
1252 [ 'img_name' => $title->getDBkey() ],
1253 __METHOD__
1254 );
1255 if ( $newestUploadTimestamp
1256 && RecentChange::isInRCLifespan( $newestUploadTimestamp, 21600 )
1257 ) {
1258 // 6h tolerance because the RC might not be cleaned out regularly
1259 $recentFileUpload = true;
1260 $rc = RecentChange::newFromConds(
1261 [
1262 'rc_type' => RC_LOG,
1263 'rc_log_type' => 'upload',
1264 'rc_timestamp' => $newestUploadTimestamp,
1265 'rc_namespace' => NS_FILE,
1266 'rc_cur_id' => $title->getArticleID()
1267 ],
1268 __METHOD__
1269 );
1270 if ( $rc ) {
1271 // Use patrol message specific to files
1272 $markPatrolledMsg = wfMessage( 'markaspatrolledtext-file' );
1273 }
1274 }
1275 }
1276
1277 if ( !$recentPageCreation && !$recentFileUpload ) {
1278 // Page creation and latest upload (for files) is too old to be in RC
1279
1280 // We definitely can't patrol so cache the information
1281 // When a new file version is uploaded, the cache is cleared
1282 $cache->set( $key, '1' );
1283
1284 return false;
1285 }
1286
1287 if ( !$rc ) {
1288 // Don't cache: This can be hit if the page gets accessed very fast after
1289 // its creation / latest upload or in case we have high replica DB lag. In case
1290 // the revision is too old, we will already return above.
1291 return false;
1292 }
1293
1294 if ( $rc->getAttribute( 'rc_patrolled' ) ) {
1295 // Patrolled RC entry around
1296
1297 // Cache the information we gathered above in case we can't patrol
1298 // Don't cache in case we can patrol as this could change
1299 $cache->set( $key, '1' );
1300
1301 return false;
1302 }
1303
1304 if ( $rc->getPerformer()->equals( $user ) ) {
1305 // Don't show a patrol link for own creations/uploads. If the user could
1306 // patrol them, they already would be patrolled
1307 return false;
1308 }
1309
1310 $outputPage->preventClickjacking();
1311 if ( $user->isAllowed( 'writeapi' ) ) {
1312 $outputPage->addModules( 'mediawiki.page.patrol.ajax' );
1313 }
1314
1315 $link = Linker::linkKnown(
1316 $title,
1317 $markPatrolledMsg->escaped(),
1318 [],
1319 [
1320 'action' => 'markpatrolled',
1321 'rcid' => $rc->getAttribute( 'rc_id' ),
1322 ]
1323 );
1324
1325 $outputPage->addHTML(
1326 "<div class='patrollink' data-mw='interface'>" .
1327 wfMessage( 'markaspatrolledlink' )->rawParams( $link )->escaped() .
1328 '</div>'
1329 );
1330
1331 return true;
1332 }
1333
1334 /**
1335 * Purge the cache used to check if it is worth showing the patrol footer
1336 * For example, it is done during re-uploads when file patrol is used.
1337 * @param int $articleID ID of the article to purge
1338 * @since 1.27
1339 */
1340 public static function purgePatrolFooterCache( $articleID ) {
1341 $cache = MediaWikiServices::getInstance()->getMainWANObjectCache();
1342 $cache->delete( $cache->makeKey( 'unpatrollable-page', $articleID ) );
1343 }
1344
1345 /**
1346 * Show the error text for a missing article. For articles in the MediaWiki
1347 * namespace, show the default message text. To be called from Article::view().
1348 */
1349 public function showMissingArticle() {
1350 global $wgSend404Code;
1351
1352 $outputPage = $this->getContext()->getOutput();
1353 // Whether the page is a root user page of an existing user (but not a subpage)
1354 $validUserPage = false;
1355
1356 $title = $this->getTitle();
1357
1358 $services = MediaWikiServices::getInstance();
1359
1360 # Show info in user (talk) namespace. Does the user exist? Is he blocked?
1361 if ( $title->getNamespace() == NS_USER
1362 || $title->getNamespace() == NS_USER_TALK
1363 ) {
1364 $rootPart = explode( '/', $title->getText() )[0];
1365 $user = User::newFromName( $rootPart, false /* allow IP users */ );
1366 $ip = User::isIP( $rootPart );
1367 $block = DatabaseBlock::newFromTarget( $user, $user );
1368
1369 if ( !( $user && $user->isLoggedIn() ) && !$ip ) { # User does not exist
1370 $outputPage->wrapWikiMsg( "<div class=\"mw-userpage-userdoesnotexist error\">\n\$1\n</div>",
1371 [ 'userpage-userdoesnotexist-view', wfEscapeWikiText( $rootPart ) ] );
1372 } elseif (
1373 !is_null( $block ) &&
1374 $block->getType() != DatabaseBlock::TYPE_AUTO &&
1375 ( $block->isSitewide() || $user->isBlockedFrom( $title ) )
1376 ) {
1377 // Show log extract if the user is sitewide blocked or is partially
1378 // blocked and not allowed to edit their user page or user talk page
1379 LogEventsList::showLogExtract(
1380 $outputPage,
1381 'block',
1382 $services->getNamespaceInfo()->getCanonicalName( NS_USER ) . ':' .
1383 $block->getTarget(),
1384 '',
1385 [
1386 'lim' => 1,
1387 'showIfEmpty' => false,
1388 'msgKey' => [
1389 'blocked-notice-logextract',
1390 $user->getName() # Support GENDER in notice
1391 ]
1392 ]
1393 );
1394 $validUserPage = !$title->isSubpage();
1395 } else {
1396 $validUserPage = !$title->isSubpage();
1397 }
1398 }
1399
1400 Hooks::run( 'ShowMissingArticle', [ $this ] );
1401
1402 # Show delete and move logs if there were any such events.
1403 # The logging query can DOS the site when bots/crawlers cause 404 floods,
1404 # so be careful showing this. 404 pages must be cheap as they are hard to cache.
1405 $dbCache = ObjectCache::getInstance( 'db-replicated' );
1406 $key = $dbCache->makeKey( 'page-recent-delete', md5( $title->getPrefixedText() ) );
1407 $loggedIn = $this->getContext()->getUser()->isLoggedIn();
1408 $sessionExists = $this->getContext()->getRequest()->getSession()->isPersistent();
1409 if ( $loggedIn || $dbCache->get( $key ) || $sessionExists ) {
1410 $logTypes = [ 'delete', 'move', 'protect' ];
1411
1412 $dbr = wfGetDB( DB_REPLICA );
1413
1414 $conds = [ 'log_action != ' . $dbr->addQuotes( 'revision' ) ];
1415 // Give extensions a chance to hide their (unrelated) log entries
1416 Hooks::run( 'Article::MissingArticleConditions', [ &$conds, $logTypes ] );
1417 LogEventsList::showLogExtract(
1418 $outputPage,
1419 $logTypes,
1420 $title,
1421 '',
1422 [
1423 'lim' => 10,
1424 'conds' => $conds,
1425 'showIfEmpty' => false,
1426 'msgKey' => [ $loggedIn || $sessionExists
1427 ? 'moveddeleted-notice'
1428 : 'moveddeleted-notice-recent'
1429 ]
1430 ]
1431 );
1432 }
1433
1434 if ( !$this->mPage->hasViewableContent() && $wgSend404Code && !$validUserPage ) {
1435 // If there's no backing content, send a 404 Not Found
1436 // for better machine handling of broken links.
1437 $this->getContext()->getRequest()->response()->statusHeader( 404 );
1438 }
1439
1440 // Also apply the robot policy for nonexisting pages (even if a 404 was used for sanity)
1441 $policy = $this->getRobotPolicy( 'view' );
1442 $outputPage->setIndexPolicy( $policy['index'] );
1443 $outputPage->setFollowPolicy( $policy['follow'] );
1444
1445 $hookResult = Hooks::run( 'BeforeDisplayNoArticleText', [ $this ] );
1446
1447 if ( !$hookResult ) {
1448 return;
1449 }
1450
1451 # Show error message
1452 $oldid = $this->getOldID();
1453 if ( !$oldid && $title->getNamespace() === NS_MEDIAWIKI && $title->hasSourceText() ) {
1454 // use fake Content object for system message
1455 $parserOptions = ParserOptions::newCanonical( 'canonical' );
1456 $outputPage->addParserOutput( $this->getEmptyPageParserOutput( $parserOptions ) );
1457 } else {
1458 if ( $oldid ) {
1459 $text = wfMessage( 'missing-revision', $oldid )->plain();
1460 } elseif ( $title->quickUserCan( 'create', $this->getContext()->getUser() )
1461 && $title->quickUserCan( 'edit', $this->getContext()->getUser() )
1462 ) {
1463 $message = $this->getContext()->getUser()->isLoggedIn() ? 'noarticletext' : 'noarticletextanon';
1464 $text = wfMessage( $message )->plain();
1465 } else {
1466 $text = wfMessage( 'noarticletext-nopermission' )->plain();
1467 }
1468
1469 $dir = $this->getContext()->getLanguage()->getDir();
1470 $lang = $this->getContext()->getLanguage()->getHtmlCode();
1471 $outputPage->addWikiTextAsInterface( Xml::openElement( 'div', [
1472 'class' => "noarticletext mw-content-$dir",
1473 'dir' => $dir,
1474 'lang' => $lang,
1475 ] ) . "\n$text\n</div>" );
1476 }
1477 }
1478
1479 /**
1480 * If the revision requested for view is deleted, check permissions.
1481 * Send either an error message or a warning header to the output.
1482 *
1483 * @return bool True if the view is allowed, false if not.
1484 */
1485 public function showDeletedRevisionHeader() {
1486 if ( !$this->mRevision->isDeleted( RevisionRecord::DELETED_TEXT ) ) {
1487 // Not deleted
1488 return true;
1489 }
1490
1491 $outputPage = $this->getContext()->getOutput();
1492 $user = $this->getContext()->getUser();
1493 // If the user is not allowed to see it...
1494 if ( !$this->mRevision->userCan( RevisionRecord::DELETED_TEXT, $user ) ) {
1495 $outputPage->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
1496 'rev-deleted-text-permission' );
1497
1498 return false;
1499 // If the user needs to confirm that they want to see it...
1500 } elseif ( $this->getContext()->getRequest()->getInt( 'unhide' ) != 1 ) {
1501 # Give explanation and add a link to view the revision...
1502 $oldid = intval( $this->getOldID() );
1503 $link = $this->getTitle()->getFullURL( "oldid={$oldid}&unhide=1" );
1504 $msg = $this->mRevision->isDeleted( RevisionRecord::DELETED_RESTRICTED ) ?
1505 'rev-suppressed-text-unhide' : 'rev-deleted-text-unhide';
1506 $outputPage->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
1507 [ $msg, $link ] );
1508
1509 return false;
1510 // We are allowed to see...
1511 } else {
1512 $msg = $this->mRevision->isDeleted( RevisionRecord::DELETED_RESTRICTED ) ?
1513 'rev-suppressed-text-view' : 'rev-deleted-text-view';
1514 $outputPage->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n", $msg );
1515
1516 return true;
1517 }
1518 }
1519
1520 /**
1521 * Generate the navigation links when browsing through an article revisions
1522 * It shows the information as:
1523 * Revision as of \<date\>; view current revision
1524 * \<- Previous version | Next Version -\>
1525 *
1526 * @param int $oldid Revision ID of this article revision
1527 */
1528 public function setOldSubtitle( $oldid = 0 ) {
1529 // Avoid PHP 7.1 warning of passing $this by reference
1530 $articlePage = $this;
1531
1532 if ( !Hooks::run( 'DisplayOldSubtitle', [ &$articlePage, &$oldid ] ) ) {
1533 return;
1534 }
1535
1536 $context = $this->getContext();
1537 $unhide = $context->getRequest()->getInt( 'unhide' ) == 1;
1538
1539 # Cascade unhide param in links for easy deletion browsing
1540 $extraParams = [];
1541 if ( $unhide ) {
1542 $extraParams['unhide'] = 1;
1543 }
1544
1545 if ( $this->mRevision && $this->mRevision->getId() === $oldid ) {
1546 $revision = $this->mRevision;
1547 } else {
1548 $revision = Revision::newFromId( $oldid );
1549 }
1550
1551 $timestamp = $revision->getTimestamp();
1552
1553 $current = ( $oldid == $this->mPage->getLatest() );
1554 $language = $context->getLanguage();
1555 $user = $context->getUser();
1556
1557 $td = $language->userTimeAndDate( $timestamp, $user );
1558 $tddate = $language->userDate( $timestamp, $user );
1559 $tdtime = $language->userTime( $timestamp, $user );
1560
1561 # Show user links if allowed to see them. If hidden, then show them only if requested...
1562 $userlinks = Linker::revUserTools( $revision, !$unhide );
1563
1564 $infomsg = $current && !$context->msg( 'revision-info-current' )->isDisabled()
1565 ? 'revision-info-current'
1566 : 'revision-info';
1567
1568 $outputPage = $context->getOutput();
1569 $revisionInfo = "<div id=\"mw-{$infomsg}\">" .
1570 $context->msg( $infomsg, $td )
1571 ->rawParams( $userlinks )
1572 ->params( $revision->getId(), $tddate, $tdtime, $revision->getUserText() )
1573 ->rawParams( Linker::revComment( $revision, true, true ) )
1574 ->parse() .
1575 "</div>";
1576
1577 $lnk = $current
1578 ? $context->msg( 'currentrevisionlink' )->escaped()
1579 : Linker::linkKnown(
1580 $this->getTitle(),
1581 $context->msg( 'currentrevisionlink' )->escaped(),
1582 [],
1583 $extraParams
1584 );
1585 $curdiff = $current
1586 ? $context->msg( 'diff' )->escaped()
1587 : Linker::linkKnown(
1588 $this->getTitle(),
1589 $context->msg( 'diff' )->escaped(),
1590 [],
1591 [
1592 'diff' => 'cur',
1593 'oldid' => $oldid
1594 ] + $extraParams
1595 );
1596 $prev = $this->getTitle()->getPreviousRevisionID( $oldid );
1597 $prevlink = $prev
1598 ? Linker::linkKnown(
1599 $this->getTitle(),
1600 $context->msg( 'previousrevision' )->escaped(),
1601 [],
1602 [
1603 'direction' => 'prev',
1604 'oldid' => $oldid
1605 ] + $extraParams
1606 )
1607 : $context->msg( 'previousrevision' )->escaped();
1608 $prevdiff = $prev
1609 ? Linker::linkKnown(
1610 $this->getTitle(),
1611 $context->msg( 'diff' )->escaped(),
1612 [],
1613 [
1614 'diff' => 'prev',
1615 'oldid' => $oldid
1616 ] + $extraParams
1617 )
1618 : $context->msg( 'diff' )->escaped();
1619 $nextlink = $current
1620 ? $context->msg( 'nextrevision' )->escaped()
1621 : Linker::linkKnown(
1622 $this->getTitle(),
1623 $context->msg( 'nextrevision' )->escaped(),
1624 [],
1625 [
1626 'direction' => 'next',
1627 'oldid' => $oldid
1628 ] + $extraParams
1629 );
1630 $nextdiff = $current
1631 ? $context->msg( 'diff' )->escaped()
1632 : Linker::linkKnown(
1633 $this->getTitle(),
1634 $context->msg( 'diff' )->escaped(),
1635 [],
1636 [
1637 'diff' => 'next',
1638 'oldid' => $oldid
1639 ] + $extraParams
1640 );
1641
1642 $cdel = Linker::getRevDeleteLink( $user, $revision, $this->getTitle() );
1643 if ( $cdel !== '' ) {
1644 $cdel .= ' ';
1645 }
1646
1647 // the outer div is need for styling the revision info and nav in MobileFrontend
1648 $outputPage->addSubtitle( "<div class=\"mw-revision\">" . $revisionInfo .
1649 "<div id=\"mw-revision-nav\">" . $cdel .
1650 $context->msg( 'revision-nav' )->rawParams(
1651 $prevdiff, $prevlink, $lnk, $curdiff, $nextlink, $nextdiff
1652 )->escaped() . "</div></div>" );
1653 }
1654
1655 /**
1656 * Return the HTML for the top of a redirect page
1657 *
1658 * Chances are you should just be using the ParserOutput from
1659 * WikitextContent::getParserOutput instead of calling this for redirects.
1660 *
1661 * @param Title|array $target Destination(s) to redirect
1662 * @param bool $appendSubtitle [optional]
1663 * @param bool $forceKnown Should the image be shown as a bluelink regardless of existence?
1664 * @return string Containing HTML with redirect link
1665 *
1666 * @deprecated since 1.30
1667 */
1668 public function viewRedirect( $target, $appendSubtitle = true, $forceKnown = false ) {
1669 $lang = $this->getTitle()->getPageLanguage();
1670 $out = $this->getContext()->getOutput();
1671 if ( $appendSubtitle ) {
1672 $out->addSubtitle( wfMessage( 'redirectpagesub' ) );
1673 }
1674 $out->addModuleStyles( 'mediawiki.action.view.redirectPage' );
1675 return static::getRedirectHeaderHtml( $lang, $target, $forceKnown );
1676 }
1677
1678 /**
1679 * Return the HTML for the top of a redirect page
1680 *
1681 * Chances are you should just be using the ParserOutput from
1682 * WikitextContent::getParserOutput instead of calling this for redirects.
1683 *
1684 * @since 1.23
1685 * @param Language $lang
1686 * @param Title|array $target Destination(s) to redirect
1687 * @param bool $forceKnown Should the image be shown as a bluelink regardless of existence?
1688 * @return string Containing HTML with redirect link
1689 */
1690 public static function getRedirectHeaderHtml( Language $lang, $target, $forceKnown = false ) {
1691 if ( !is_array( $target ) ) {
1692 $target = [ $target ];
1693 }
1694
1695 $html = '<ul class="redirectText">';
1696 /** @var Title $title */
1697 foreach ( $target as $title ) {
1698 $html .= '<li>' . Linker::link(
1699 $title,
1700 htmlspecialchars( $title->getFullText() ),
1701 [],
1702 // Make sure wiki page redirects are not followed
1703 $title->isRedirect() ? [ 'redirect' => 'no' ] : [],
1704 ( $forceKnown ? [ 'known', 'noclasses' ] : [] )
1705 ) . '</li>';
1706 }
1707 $html .= '</ul>';
1708
1709 $redirectToText = wfMessage( 'redirectto' )->inLanguage( $lang )->escaped();
1710
1711 return '<div class="redirectMsg">' .
1712 '<p>' . $redirectToText . '</p>' .
1713 $html .
1714 '</div>';
1715 }
1716
1717 /**
1718 * Adds help link with an icon via page indicators.
1719 * Link target can be overridden by a local message containing a wikilink:
1720 * the message key is: 'namespace-' + namespace number + '-helppage'.
1721 * @param string $to Target MediaWiki.org page title or encoded URL.
1722 * @param bool $overrideBaseUrl Whether $url is a full URL, to avoid MW.o.
1723 * @since 1.25
1724 */
1725 public function addHelpLink( $to, $overrideBaseUrl = false ) {
1726 $msg = wfMessage(
1727 'namespace-' . $this->getTitle()->getNamespace() . '-helppage'
1728 );
1729
1730 $out = $this->getContext()->getOutput();
1731 if ( !$msg->isDisabled() ) {
1732 $helpUrl = Skin::makeUrl( $msg->plain() );
1733 $out->addHelpLink( $helpUrl, true );
1734 } else {
1735 $out->addHelpLink( $to, $overrideBaseUrl );
1736 }
1737 }
1738
1739 /**
1740 * Handle action=render
1741 */
1742 public function render() {
1743 $this->getContext()->getRequest()->response()->header( 'X-Robots-Tag: noindex' );
1744 $this->getContext()->getOutput()->setArticleBodyOnly( true );
1745 // We later set 'enableSectionEditLinks=false' based on this; also used by ImagePage
1746 $this->viewIsRenderAction = true;
1747 $this->view();
1748 }
1749
1750 /**
1751 * action=protect handler
1752 */
1753 public function protect() {
1754 $form = new ProtectionForm( $this );
1755 $form->execute();
1756 }
1757
1758 /**
1759 * action=unprotect handler (alias)
1760 */
1761 public function unprotect() {
1762 $this->protect();
1763 }
1764
1765 /**
1766 * UI entry point for page deletion
1767 */
1768 public function delete() {
1769 # This code desperately needs to be totally rewritten
1770
1771 $title = $this->getTitle();
1772 $context = $this->getContext();
1773 $user = $context->getUser();
1774 $request = $context->getRequest();
1775
1776 # Check permissions
1777 $permissionErrors = $title->getUserPermissionsErrors( 'delete', $user );
1778 if ( count( $permissionErrors ) ) {
1779 throw new PermissionsError( 'delete', $permissionErrors );
1780 }
1781
1782 # Read-only check...
1783 if ( wfReadOnly() ) {
1784 throw new ReadOnlyError;
1785 }
1786
1787 # Better double-check that it hasn't been deleted yet!
1788 $this->mPage->loadPageData(
1789 $request->wasPosted() ? WikiPage::READ_LATEST : WikiPage::READ_NORMAL
1790 );
1791 if ( !$this->mPage->exists() ) {
1792 $deleteLogPage = new LogPage( 'delete' );
1793 $outputPage = $context->getOutput();
1794 $outputPage->setPageTitle( $context->msg( 'cannotdelete-title', $title->getPrefixedText() ) );
1795 $outputPage->wrapWikiMsg( "<div class=\"error mw-error-cannotdelete\">\n$1\n</div>",
1796 [ 'cannotdelete', wfEscapeWikiText( $title->getPrefixedText() ) ]
1797 );
1798 $outputPage->addHTML(
1799 Xml::element( 'h2', null, $deleteLogPage->getName()->text() )
1800 );
1801 LogEventsList::showLogExtract(
1802 $outputPage,
1803 'delete',
1804 $title
1805 );
1806
1807 return;
1808 }
1809
1810 $deleteReasonList = $request->getText( 'wpDeleteReasonList', 'other' );
1811 $deleteReason = $request->getText( 'wpReason' );
1812
1813 if ( $deleteReasonList == 'other' ) {
1814 $reason = $deleteReason;
1815 } elseif ( $deleteReason != '' ) {
1816 // Entry from drop down menu + additional comment
1817 $colonseparator = wfMessage( 'colon-separator' )->inContentLanguage()->text();
1818 $reason = $deleteReasonList . $colonseparator . $deleteReason;
1819 } else {
1820 $reason = $deleteReasonList;
1821 }
1822
1823 if ( $request->wasPosted() && $user->matchEditToken( $request->getVal( 'wpEditToken' ),
1824 [ 'delete', $this->getTitle()->getPrefixedText() ] )
1825 ) {
1826 # Flag to hide all contents of the archived revisions
1827 $suppress = $request->getCheck( 'wpSuppress' ) && $user->isAllowed( 'suppressrevision' );
1828
1829 $this->doDelete( $reason, $suppress );
1830
1831 WatchAction::doWatchOrUnwatch( $request->getCheck( 'wpWatch' ), $title, $user );
1832
1833 return;
1834 }
1835
1836 // Generate deletion reason
1837 $hasHistory = false;
1838 if ( !$reason ) {
1839 try {
1840 $reason = $this->generateReason( $hasHistory );
1841 } catch ( Exception $e ) {
1842 # if a page is horribly broken, we still want to be able to
1843 # delete it. So be lenient about errors here.
1844 wfDebug( "Error while building auto delete summary: $e" );
1845 $reason = '';
1846 }
1847 }
1848
1849 // If the page has a history, insert a warning
1850 if ( $hasHistory ) {
1851 $title = $this->getTitle();
1852
1853 // The following can use the real revision count as this is only being shown for users
1854 // that can delete this page.
1855 // This, as a side-effect, also makes sure that the following query isn't being run for
1856 // pages with a larger history, unless the user has the 'bigdelete' right
1857 // (and is about to delete this page).
1858 $dbr = wfGetDB( DB_REPLICA );
1859 $revisions = $edits = (int)$dbr->selectField(
1860 'revision',
1861 'COUNT(rev_page)',
1862 [ 'rev_page' => $title->getArticleID() ],
1863 __METHOD__
1864 );
1865
1866 // @todo i18n issue/patchwork message
1867 $context->getOutput()->addHTML(
1868 '<strong class="mw-delete-warning-revisions">' .
1869 $context->msg( 'historywarning' )->numParams( $revisions )->parse() .
1870 $context->msg( 'word-separator' )->escaped() . Linker::linkKnown( $title,
1871 $context->msg( 'history' )->escaped(),
1872 [],
1873 [ 'action' => 'history' ] ) .
1874 '</strong>'
1875 );
1876
1877 if ( $title->isBigDeletion() ) {
1878 global $wgDeleteRevisionsLimit;
1879 $context->getOutput()->wrapWikiMsg( "<div class='error'>\n$1\n</div>\n",
1880 [
1881 'delete-warning-toobig',
1882 $context->getLanguage()->formatNum( $wgDeleteRevisionsLimit )
1883 ]
1884 );
1885 }
1886 }
1887
1888 $this->confirmDelete( $reason );
1889 }
1890
1891 /**
1892 * Output deletion confirmation dialog
1893 * @todo Move to another file?
1894 * @param string $reason Prefilled reason
1895 */
1896 public function confirmDelete( $reason ) {
1897 wfDebug( "Article::confirmDelete\n" );
1898
1899 $title = $this->getTitle();
1900 $ctx = $this->getContext();
1901 $outputPage = $ctx->getOutput();
1902 $outputPage->setPageTitle( wfMessage( 'delete-confirm', $title->getPrefixedText() ) );
1903 $outputPage->addBacklinkSubtitle( $title );
1904 $outputPage->setRobotPolicy( 'noindex,nofollow' );
1905 $outputPage->addModules( 'mediawiki.action.delete' );
1906
1907 $backlinkCache = $title->getBacklinkCache();
1908 if ( $backlinkCache->hasLinks( 'pagelinks' ) || $backlinkCache->hasLinks( 'templatelinks' ) ) {
1909 $outputPage->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
1910 'deleting-backlinks-warning' );
1911 }
1912
1913 $subpageQueryLimit = 51;
1914 $subpages = $title->getSubpages( $subpageQueryLimit );
1915 $subpageCount = count( $subpages );
1916 if ( $subpageCount > 0 ) {
1917 $outputPage->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1\n</div>\n",
1918 [ 'deleting-subpages-warning', Message::numParam( $subpageCount ) ] );
1919 }
1920 $outputPage->addWikiMsg( 'confirmdeletetext' );
1921
1922 Hooks::run( 'ArticleConfirmDelete', [ $this, $outputPage, &$reason ] );
1923
1924 $user = $this->getContext()->getUser();
1925 $checkWatch = $user->getBoolOption( 'watchdeletion' ) || $user->isWatched( $title );
1926
1927 $outputPage->enableOOUI();
1928
1929 $options = Xml::listDropDownOptions(
1930 $ctx->msg( 'deletereason-dropdown' )->inContentLanguage()->text(),
1931 [ 'other' => $ctx->msg( 'deletereasonotherlist' )->inContentLanguage()->text() ]
1932 );
1933 $options = Xml::listDropDownOptionsOoui( $options );
1934
1935 $fields[] = new OOUI\FieldLayout(
1936 new OOUI\DropdownInputWidget( [
1937 'name' => 'wpDeleteReasonList',
1938 'inputId' => 'wpDeleteReasonList',
1939 'tabIndex' => 1,
1940 'infusable' => true,
1941 'value' => '',
1942 'options' => $options
1943 ] ),
1944 [
1945 'label' => $ctx->msg( 'deletecomment' )->text(),
1946 'align' => 'top',
1947 ]
1948 );
1949
1950 // HTML maxlength uses "UTF-16 code units", which means that characters outside BMP
1951 // (e.g. emojis) count for two each. This limit is overridden in JS to instead count
1952 // Unicode codepoints.
1953 $fields[] = new OOUI\FieldLayout(
1954 new OOUI\TextInputWidget( [
1955 'name' => 'wpReason',
1956 'inputId' => 'wpReason',
1957 'tabIndex' => 2,
1958 'maxLength' => CommentStore::COMMENT_CHARACTER_LIMIT,
1959 'infusable' => true,
1960 'value' => $reason,
1961 'autofocus' => true,
1962 ] ),
1963 [
1964 'label' => $ctx->msg( 'deleteotherreason' )->text(),
1965 'align' => 'top',
1966 ]
1967 );
1968
1969 if ( $user->isLoggedIn() ) {
1970 $fields[] = new OOUI\FieldLayout(
1971 new OOUI\CheckboxInputWidget( [
1972 'name' => 'wpWatch',
1973 'inputId' => 'wpWatch',
1974 'tabIndex' => 3,
1975 'selected' => $checkWatch,
1976 ] ),
1977 [
1978 'label' => $ctx->msg( 'watchthis' )->text(),
1979 'align' => 'inline',
1980 'infusable' => true,
1981 ]
1982 );
1983 }
1984
1985 if ( $user->isAllowed( 'suppressrevision' ) ) {
1986 $fields[] = new OOUI\FieldLayout(
1987 new OOUI\CheckboxInputWidget( [
1988 'name' => 'wpSuppress',
1989 'inputId' => 'wpSuppress',
1990 'tabIndex' => 4,
1991 ] ),
1992 [
1993 'label' => $ctx->msg( 'revdelete-suppress' )->text(),
1994 'align' => 'inline',
1995 'infusable' => true,
1996 ]
1997 );
1998 }
1999
2000 $fields[] = new OOUI\FieldLayout(
2001 new OOUI\ButtonInputWidget( [
2002 'name' => 'wpConfirmB',
2003 'inputId' => 'wpConfirmB',
2004 'tabIndex' => 5,
2005 'value' => $ctx->msg( 'deletepage' )->text(),
2006 'label' => $ctx->msg( 'deletepage' )->text(),
2007 'flags' => [ 'primary', 'destructive' ],
2008 'type' => 'submit',
2009 ] ),
2010 [
2011 'align' => 'top',
2012 ]
2013 );
2014
2015 $fieldset = new OOUI\FieldsetLayout( [
2016 'label' => $ctx->msg( 'delete-legend' )->text(),
2017 'id' => 'mw-delete-table',
2018 'items' => $fields,
2019 ] );
2020
2021 $form = new OOUI\FormLayout( [
2022 'method' => 'post',
2023 'action' => $title->getLocalURL( 'action=delete' ),
2024 'id' => 'deleteconfirm',
2025 ] );
2026 $form->appendContent(
2027 $fieldset,
2028 new OOUI\HtmlSnippet(
2029 Html::hidden( 'wpEditToken', $user->getEditToken( [ 'delete', $title->getPrefixedText() ] ) )
2030 )
2031 );
2032
2033 $outputPage->addHTML(
2034 new OOUI\PanelLayout( [
2035 'classes' => [ 'deletepage-wrapper' ],
2036 'expanded' => false,
2037 'padded' => true,
2038 'framed' => true,
2039 'content' => $form,
2040 ] )
2041 );
2042
2043 if ( $user->isAllowed( 'editinterface' ) ) {
2044 $link = Linker::linkKnown(
2045 $ctx->msg( 'deletereason-dropdown' )->inContentLanguage()->getTitle(),
2046 wfMessage( 'delete-edit-reasonlist' )->escaped(),
2047 [],
2048 [ 'action' => 'edit' ]
2049 );
2050 $outputPage->addHTML( '<p class="mw-delete-editreasons">' . $link . '</p>' );
2051 }
2052
2053 $deleteLogPage = new LogPage( 'delete' );
2054 $outputPage->addHTML( Xml::element( 'h2', null, $deleteLogPage->getName()->text() ) );
2055 LogEventsList::showLogExtract( $outputPage, 'delete', $title );
2056 }
2057
2058 /**
2059 * Perform a deletion and output success or failure messages
2060 * @param string $reason
2061 * @param bool $suppress
2062 * @param bool $immediate false allows deleting over time via the job queue
2063 * @throws FatalError
2064 * @throws MWException
2065 */
2066 public function doDelete( $reason, $suppress = false, $immediate = false ) {
2067 $error = '';
2068 $context = $this->getContext();
2069 $outputPage = $context->getOutput();
2070 $user = $context->getUser();
2071 $status = $this->mPage->doDeleteArticleReal( $reason, $suppress, 0, true, $error, $user,
2072 [], 'delete', $immediate );
2073
2074 if ( $status->isOK() ) {
2075 $deleted = $this->getTitle()->getPrefixedText();
2076
2077 $outputPage->setPageTitle( wfMessage( 'actioncomplete' ) );
2078 $outputPage->setRobotPolicy( 'noindex,nofollow' );
2079
2080 if ( $status->isGood() ) {
2081 $loglink = '[[Special:Log/delete|' . wfMessage( 'deletionlog' )->text() . ']]';
2082 $outputPage->addWikiMsg( 'deletedtext', wfEscapeWikiText( $deleted ), $loglink );
2083 Hooks::run( 'ArticleDeleteAfterSuccess', [ $this->getTitle(), $outputPage ] );
2084 } else {
2085 $outputPage->addWikiMsg( 'delete-scheduled', wfEscapeWikiText( $deleted ) );
2086 }
2087
2088 $outputPage->returnToMain( false );
2089 } else {
2090 $outputPage->setPageTitle(
2091 wfMessage( 'cannotdelete-title',
2092 $this->getTitle()->getPrefixedText() )
2093 );
2094
2095 if ( $error == '' ) {
2096 $outputPage->wrapWikiTextAsInterface(
2097 'error mw-error-cannotdelete',
2098 $status->getWikiText()
2099 );
2100 $deleteLogPage = new LogPage( 'delete' );
2101 $outputPage->addHTML( Xml::element( 'h2', null, $deleteLogPage->getName()->text() ) );
2102
2103 LogEventsList::showLogExtract(
2104 $outputPage,
2105 'delete',
2106 $this->getTitle()
2107 );
2108 } else {
2109 $outputPage->addHTML( $error );
2110 }
2111 }
2112 }
2113
2114 /* Caching functions */
2115
2116 /**
2117 * checkLastModified returns true if it has taken care of all
2118 * output to the client that is necessary for this request.
2119 * (that is, it has sent a cached version of the page)
2120 *
2121 * @return bool True if cached version send, false otherwise
2122 */
2123 protected function tryFileCache() {
2124 static $called = false;
2125
2126 if ( $called ) {
2127 wfDebug( "Article::tryFileCache(): called twice!?\n" );
2128 return false;
2129 }
2130
2131 $called = true;
2132 if ( $this->isFileCacheable() ) {
2133 $cache = new HTMLFileCache( $this->getTitle(), 'view' );
2134 if ( $cache->isCacheGood( $this->mPage->getTouched() ) ) {
2135 wfDebug( "Article::tryFileCache(): about to load file\n" );
2136 $cache->loadFromFileCache( $this->getContext() );
2137 return true;
2138 } else {
2139 wfDebug( "Article::tryFileCache(): starting buffer\n" );
2140 ob_start( [ &$cache, 'saveToFileCache' ] );
2141 }
2142 } else {
2143 wfDebug( "Article::tryFileCache(): not cacheable\n" );
2144 }
2145
2146 return false;
2147 }
2148
2149 /**
2150 * Check if the page can be cached
2151 * @param int $mode One of the HTMLFileCache::MODE_* constants (since 1.28)
2152 * @return bool
2153 */
2154 public function isFileCacheable( $mode = HTMLFileCache::MODE_NORMAL ) {
2155 $cacheable = false;
2156
2157 if ( HTMLFileCache::useFileCache( $this->getContext(), $mode ) ) {
2158 $cacheable = $this->mPage->getId()
2159 && !$this->mRedirectedFrom && !$this->getTitle()->isRedirect();
2160 // Extension may have reason to disable file caching on some pages.
2161 if ( $cacheable ) {
2162 // Avoid PHP 7.1 warning of passing $this by reference
2163 $articlePage = $this;
2164 $cacheable = Hooks::run( 'IsFileCacheable', [ &$articlePage ] );
2165 }
2166 }
2167
2168 return $cacheable;
2169 }
2170
2171 /**#@-*/
2172
2173 /**
2174 * Lightweight method to get the parser output for a page, checking the parser cache
2175 * and so on. Doesn't consider most of the stuff that Article::view() is forced to
2176 * consider, so it's not appropriate to use there.
2177 *
2178 * @since 1.16 (r52326) for LiquidThreads
2179 *
2180 * @param int|null $oldid Revision ID or null
2181 * @param User|null $user The relevant user
2182 * @return ParserOutput|bool ParserOutput or false if the given revision ID is not found
2183 */
2184 public function getParserOutput( $oldid = null, User $user = null ) {
2185 // XXX: bypasses mParserOptions and thus setParserOptions()
2186
2187 if ( $user === null ) {
2188 $parserOptions = $this->getParserOptions();
2189 } else {
2190 $parserOptions = $this->mPage->makeParserOptions( $user );
2191 }
2192
2193 return $this->mPage->getParserOutput( $parserOptions, $oldid );
2194 }
2195
2196 /**
2197 * Override the ParserOptions used to render the primary article wikitext.
2198 *
2199 * @param ParserOptions $options
2200 * @throws MWException If the parser options where already initialized.
2201 */
2202 public function setParserOptions( ParserOptions $options ) {
2203 if ( $this->mParserOptions ) {
2204 throw new MWException( "can't change parser options after they have already been set" );
2205 }
2206
2207 // clone, so if $options is modified later, it doesn't confuse the parser cache.
2208 $this->mParserOptions = clone $options;
2209 }
2210
2211 /**
2212 * Get parser options suitable for rendering the primary article wikitext
2213 * @return ParserOptions
2214 */
2215 public function getParserOptions() {
2216 if ( !$this->mParserOptions ) {
2217 $this->mParserOptions = $this->mPage->makeParserOptions( $this->getContext() );
2218 }
2219 // Clone to allow modifications of the return value without affecting cache
2220 return clone $this->mParserOptions;
2221 }
2222
2223 /**
2224 * Sets the context this Article is executed in
2225 *
2226 * @param IContextSource $context
2227 * @since 1.18
2228 */
2229 public function setContext( $context ) {
2230 $this->mContext = $context;
2231 }
2232
2233 /**
2234 * Gets the context this Article is executed in
2235 *
2236 * @return IContextSource
2237 * @since 1.18
2238 */
2239 public function getContext() {
2240 if ( $this->mContext instanceof IContextSource ) {
2241 return $this->mContext;
2242 } else {
2243 wfDebug( __METHOD__ . " called and \$mContext is null. " .
2244 "Return RequestContext::getMain(); for sanity\n" );
2245 return RequestContext::getMain();
2246 }
2247 }
2248
2249 /**
2250 * Use PHP's magic __get handler to handle accessing of
2251 * raw WikiPage fields for backwards compatibility.
2252 *
2253 * @param string $fname Field name
2254 * @return mixed
2255 */
2256 public function __get( $fname ) {
2257 if ( property_exists( $this->mPage, $fname ) ) {
2258 # wfWarn( "Access to raw $fname field " . __CLASS__ );
2259 return $this->mPage->$fname;
2260 }
2261 trigger_error( 'Inaccessible property via __get(): ' . $fname, E_USER_NOTICE );
2262 }
2263
2264 /**
2265 * Use PHP's magic __set handler to handle setting of
2266 * raw WikiPage fields for backwards compatibility.
2267 *
2268 * @param string $fname Field name
2269 * @param mixed $fvalue New value
2270 */
2271 public function __set( $fname, $fvalue ) {
2272 if ( property_exists( $this->mPage, $fname ) ) {
2273 # wfWarn( "Access to raw $fname field of " . __CLASS__ );
2274 $this->mPage->$fname = $fvalue;
2275 // Note: extensions may want to toss on new fields
2276 } elseif ( !in_array( $fname, [ 'mContext', 'mPage' ] ) ) {
2277 $this->mPage->$fname = $fvalue;
2278 } else {
2279 trigger_error( 'Inaccessible property via __set(): ' . $fname, E_USER_NOTICE );
2280 }
2281 }
2282
2283 /**
2284 * Call to WikiPage function for backwards compatibility.
2285 * @see WikiPage::checkFlags
2286 */
2287 public function checkFlags( $flags ) {
2288 return $this->mPage->checkFlags( $flags );
2289 }
2290
2291 /**
2292 * Call to WikiPage function for backwards compatibility.
2293 * @see WikiPage::checkTouched
2294 */
2295 public function checkTouched() {
2296 return $this->mPage->checkTouched();
2297 }
2298
2299 /**
2300 * Call to WikiPage function for backwards compatibility.
2301 * @see WikiPage::clearPreparedEdit
2302 */
2303 public function clearPreparedEdit() {
2304 $this->mPage->clearPreparedEdit();
2305 }
2306
2307 /**
2308 * Call to WikiPage function for backwards compatibility.
2309 * @see WikiPage::doDeleteArticleReal
2310 */
2311 public function doDeleteArticleReal(
2312 $reason, $suppress = false, $u1 = null, $u2 = null, &$error = '', User $user = null,
2313 $tags = [], $immediate = false
2314 ) {
2315 return $this->mPage->doDeleteArticleReal(
2316 $reason, $suppress, $u1, $u2, $error, $user, $tags, 'delete', $immediate
2317 );
2318 }
2319
2320 /**
2321 * Call to WikiPage function for backwards compatibility.
2322 * @see WikiPage::doDeleteUpdates
2323 */
2324 public function doDeleteUpdates(
2325 $id,
2326 Content $content = null,
2327 $revision = null,
2328 User $user = null
2329 ) {
2330 $this->mPage->doDeleteUpdates( $id, $content, $revision, $user );
2331 }
2332
2333 /**
2334 * Call to WikiPage function for backwards compatibility.
2335 * @deprecated since 1.29. Use WikiPage::doEditContent() directly instead
2336 * @see WikiPage::doEditContent
2337 */
2338 public function doEditContent( Content $content, $summary, $flags = 0, $originalRevId = false,
2339 User $user = null, $serialFormat = null
2340 ) {
2341 wfDeprecated( __METHOD__, '1.29' );
2342 return $this->mPage->doEditContent( $content, $summary, $flags, $originalRevId,
2343 $user, $serialFormat
2344 );
2345 }
2346
2347 /**
2348 * Call to WikiPage function for backwards compatibility.
2349 * @see WikiPage::doEditUpdates
2350 */
2351 public function doEditUpdates( Revision $revision, User $user, array $options = [] ) {
2352 return $this->mPage->doEditUpdates( $revision, $user, $options );
2353 }
2354
2355 /**
2356 * Call to WikiPage function for backwards compatibility.
2357 * @see WikiPage::doPurge
2358 * @note In 1.28 (and only 1.28), this took a $flags parameter that
2359 * controlled how much purging was done.
2360 */
2361 public function doPurge() {
2362 return $this->mPage->doPurge();
2363 }
2364
2365 /**
2366 * Call to WikiPage function for backwards compatibility.
2367 * @see WikiPage::doViewUpdates
2368 */
2369 public function doViewUpdates( User $user, $oldid = 0 ) {
2370 $this->mPage->doViewUpdates( $user, $oldid );
2371 }
2372
2373 /**
2374 * Call to WikiPage function for backwards compatibility.
2375 * @see WikiPage::exists
2376 */
2377 public function exists() {
2378 return $this->mPage->exists();
2379 }
2380
2381 /**
2382 * Call to WikiPage function for backwards compatibility.
2383 * @see WikiPage::followRedirect
2384 */
2385 public function followRedirect() {
2386 return $this->mPage->followRedirect();
2387 }
2388
2389 /**
2390 * Call to WikiPage function for backwards compatibility.
2391 * @see ContentHandler::getActionOverrides
2392 */
2393 public function getActionOverrides() {
2394 return $this->mPage->getActionOverrides();
2395 }
2396
2397 /**
2398 * Call to WikiPage function for backwards compatibility.
2399 * @see WikiPage::getAutoDeleteReason
2400 */
2401 public function getAutoDeleteReason( &$hasHistory ) {
2402 return $this->mPage->getAutoDeleteReason( $hasHistory );
2403 }
2404
2405 /**
2406 * Call to WikiPage function for backwards compatibility.
2407 * @see WikiPage::getCategories
2408 */
2409 public function getCategories() {
2410 return $this->mPage->getCategories();
2411 }
2412
2413 /**
2414 * Call to WikiPage function for backwards compatibility.
2415 * @see WikiPage::getComment
2416 */
2417 public function getComment( $audience = RevisionRecord::FOR_PUBLIC, User $user = null ) {
2418 return $this->mPage->getComment( $audience, $user );
2419 }
2420
2421 /**
2422 * Call to WikiPage function for backwards compatibility.
2423 * @see WikiPage::getContentHandler
2424 */
2425 public function getContentHandler() {
2426 return $this->mPage->getContentHandler();
2427 }
2428
2429 /**
2430 * Call to WikiPage function for backwards compatibility.
2431 * @see WikiPage::getContentModel
2432 */
2433 public function getContentModel() {
2434 return $this->mPage->getContentModel();
2435 }
2436
2437 /**
2438 * Call to WikiPage function for backwards compatibility.
2439 * @see WikiPage::getContributors
2440 */
2441 public function getContributors() {
2442 return $this->mPage->getContributors();
2443 }
2444
2445 /**
2446 * Call to WikiPage function for backwards compatibility.
2447 * @see WikiPage::getCreator
2448 */
2449 public function getCreator( $audience = RevisionRecord::FOR_PUBLIC, User $user = null ) {
2450 return $this->mPage->getCreator( $audience, $user );
2451 }
2452
2453 /**
2454 * Call to WikiPage function for backwards compatibility.
2455 * @see WikiPage::getDeletionUpdates
2456 */
2457 public function getDeletionUpdates( Content $content = null ) {
2458 return $this->mPage->getDeletionUpdates( $content );
2459 }
2460
2461 /**
2462 * Call to WikiPage function for backwards compatibility.
2463 * @see WikiPage::getHiddenCategories
2464 */
2465 public function getHiddenCategories() {
2466 return $this->mPage->getHiddenCategories();
2467 }
2468
2469 /**
2470 * Call to WikiPage function for backwards compatibility.
2471 * @see WikiPage::getId
2472 */
2473 public function getId() {
2474 return $this->mPage->getId();
2475 }
2476
2477 /**
2478 * Call to WikiPage function for backwards compatibility.
2479 * @see WikiPage::getLatest
2480 */
2481 public function getLatest() {
2482 return $this->mPage->getLatest();
2483 }
2484
2485 /**
2486 * Call to WikiPage function for backwards compatibility.
2487 * @see WikiPage::getLinksTimestamp
2488 */
2489 public function getLinksTimestamp() {
2490 return $this->mPage->getLinksTimestamp();
2491 }
2492
2493 /**
2494 * Call to WikiPage function for backwards compatibility.
2495 * @see WikiPage::getMinorEdit
2496 */
2497 public function getMinorEdit() {
2498 return $this->mPage->getMinorEdit();
2499 }
2500
2501 /**
2502 * Call to WikiPage function for backwards compatibility.
2503 * @see WikiPage::getOldestRevision
2504 */
2505 public function getOldestRevision() {
2506 return $this->mPage->getOldestRevision();
2507 }
2508
2509 /**
2510 * Call to WikiPage function for backwards compatibility.
2511 * @see WikiPage::getRedirectTarget
2512 */
2513 public function getRedirectTarget() {
2514 return $this->mPage->getRedirectTarget();
2515 }
2516
2517 /**
2518 * Call to WikiPage function for backwards compatibility.
2519 * @see WikiPage::getRedirectURL
2520 */
2521 public function getRedirectURL( $rt ) {
2522 return $this->mPage->getRedirectURL( $rt );
2523 }
2524
2525 /**
2526 * Call to WikiPage function for backwards compatibility.
2527 * @see WikiPage::getRevision
2528 */
2529 public function getRevision() {
2530 return $this->mPage->getRevision();
2531 }
2532
2533 /**
2534 * Call to WikiPage function for backwards compatibility.
2535 * @see WikiPage::getTimestamp
2536 */
2537 public function getTimestamp() {
2538 return $this->mPage->getTimestamp();
2539 }
2540
2541 /**
2542 * Call to WikiPage function for backwards compatibility.
2543 * @see WikiPage::getTouched
2544 */
2545 public function getTouched() {
2546 return $this->mPage->getTouched();
2547 }
2548
2549 /**
2550 * Call to WikiPage function for backwards compatibility.
2551 * @see WikiPage::getUndoContent
2552 */
2553 public function getUndoContent( Revision $undo, Revision $undoafter = null ) {
2554 return $this->mPage->getUndoContent( $undo, $undoafter );
2555 }
2556
2557 /**
2558 * Call to WikiPage function for backwards compatibility.
2559 * @see WikiPage::getUser
2560 */
2561 public function getUser( $audience = RevisionRecord::FOR_PUBLIC, User $user = null ) {
2562 return $this->mPage->getUser( $audience, $user );
2563 }
2564
2565 /**
2566 * Call to WikiPage function for backwards compatibility.
2567 * @see WikiPage::getUserText
2568 */
2569 public function getUserText( $audience = RevisionRecord::FOR_PUBLIC, User $user = null ) {
2570 return $this->mPage->getUserText( $audience, $user );
2571 }
2572
2573 /**
2574 * Call to WikiPage function for backwards compatibility.
2575 * @see WikiPage::hasViewableContent
2576 */
2577 public function hasViewableContent() {
2578 return $this->mPage->hasViewableContent();
2579 }
2580
2581 /**
2582 * Call to WikiPage function for backwards compatibility.
2583 * @see WikiPage::insertOn
2584 */
2585 public function insertOn( $dbw, $pageId = null ) {
2586 return $this->mPage->insertOn( $dbw, $pageId );
2587 }
2588
2589 /**
2590 * Call to WikiPage function for backwards compatibility.
2591 * @see WikiPage::insertProtectNullRevision
2592 */
2593 public function insertProtectNullRevision( $revCommentMsg, array $limit,
2594 array $expiry, $cascade, $reason, $user = null
2595 ) {
2596 return $this->mPage->insertProtectNullRevision( $revCommentMsg, $limit,
2597 $expiry, $cascade, $reason, $user
2598 );
2599 }
2600
2601 /**
2602 * Call to WikiPage function for backwards compatibility.
2603 * @see WikiPage::insertRedirect
2604 */
2605 public function insertRedirect() {
2606 return $this->mPage->insertRedirect();
2607 }
2608
2609 /**
2610 * Call to WikiPage function for backwards compatibility.
2611 * @see WikiPage::insertRedirectEntry
2612 */
2613 public function insertRedirectEntry( Title $rt, $oldLatest = null ) {
2614 return $this->mPage->insertRedirectEntry( $rt, $oldLatest );
2615 }
2616
2617 /**
2618 * Call to WikiPage function for backwards compatibility.
2619 * @see WikiPage::isCountable
2620 */
2621 public function isCountable( $editInfo = false ) {
2622 return $this->mPage->isCountable( $editInfo );
2623 }
2624
2625 /**
2626 * Call to WikiPage function for backwards compatibility.
2627 * @see WikiPage::isRedirect
2628 */
2629 public function isRedirect() {
2630 return $this->mPage->isRedirect();
2631 }
2632
2633 /**
2634 * Call to WikiPage function for backwards compatibility.
2635 * @see WikiPage::loadFromRow
2636 */
2637 public function loadFromRow( $data, $from ) {
2638 return $this->mPage->loadFromRow( $data, $from );
2639 }
2640
2641 /**
2642 * Call to WikiPage function for backwards compatibility.
2643 * @see WikiPage::loadPageData
2644 */
2645 public function loadPageData( $from = 'fromdb' ) {
2646 $this->mPage->loadPageData( $from );
2647 }
2648
2649 /**
2650 * Call to WikiPage function for backwards compatibility.
2651 * @see WikiPage::lockAndGetLatest
2652 */
2653 public function lockAndGetLatest() {
2654 return $this->mPage->lockAndGetLatest();
2655 }
2656
2657 /**
2658 * Call to WikiPage function for backwards compatibility.
2659 * @see WikiPage::makeParserOptions
2660 */
2661 public function makeParserOptions( $context ) {
2662 return $this->mPage->makeParserOptions( $context );
2663 }
2664
2665 /**
2666 * Call to WikiPage function for backwards compatibility.
2667 * @see WikiPage::pageDataFromId
2668 */
2669 public function pageDataFromId( $dbr, $id, $options = [] ) {
2670 return $this->mPage->pageDataFromId( $dbr, $id, $options );
2671 }
2672
2673 /**
2674 * Call to WikiPage function for backwards compatibility.
2675 * @see WikiPage::pageDataFromTitle
2676 */
2677 public function pageDataFromTitle( $dbr, $title, $options = [] ) {
2678 return $this->mPage->pageDataFromTitle( $dbr, $title, $options );
2679 }
2680
2681 /**
2682 * Call to WikiPage function for backwards compatibility.
2683 * @see WikiPage::prepareContentForEdit
2684 */
2685 public function prepareContentForEdit(
2686 Content $content, $revision = null, User $user = null,
2687 $serialFormat = null, $useCache = true
2688 ) {
2689 return $this->mPage->prepareContentForEdit(
2690 $content, $revision, $user,
2691 $serialFormat, $useCache
2692 );
2693 }
2694
2695 /**
2696 * Call to WikiPage function for backwards compatibility.
2697 * @see WikiPage::protectDescription
2698 */
2699 public function protectDescription( array $limit, array $expiry ) {
2700 return $this->mPage->protectDescription( $limit, $expiry );
2701 }
2702
2703 /**
2704 * Call to WikiPage function for backwards compatibility.
2705 * @see WikiPage::protectDescriptionLog
2706 */
2707 public function protectDescriptionLog( array $limit, array $expiry ) {
2708 return $this->mPage->protectDescriptionLog( $limit, $expiry );
2709 }
2710
2711 /**
2712 * Call to WikiPage function for backwards compatibility.
2713 * @see WikiPage::replaceSectionAtRev
2714 */
2715 public function replaceSectionAtRev( $sectionId, Content $sectionContent,
2716 $sectionTitle = '', $baseRevId = null
2717 ) {
2718 return $this->mPage->replaceSectionAtRev( $sectionId, $sectionContent,
2719 $sectionTitle, $baseRevId
2720 );
2721 }
2722
2723 /**
2724 * Call to WikiPage function for backwards compatibility.
2725 * @see WikiPage::replaceSectionContent
2726 */
2727 public function replaceSectionContent(
2728 $sectionId, Content $sectionContent, $sectionTitle = '', $edittime = null
2729 ) {
2730 return $this->mPage->replaceSectionContent(
2731 $sectionId, $sectionContent, $sectionTitle, $edittime
2732 );
2733 }
2734
2735 /**
2736 * Call to WikiPage function for backwards compatibility.
2737 * @see WikiPage::setTimestamp
2738 */
2739 public function setTimestamp( $ts ) {
2740 $this->mPage->setTimestamp( $ts );
2741 }
2742
2743 /**
2744 * Call to WikiPage function for backwards compatibility.
2745 * @see WikiPage::shouldCheckParserCache
2746 */
2747 public function shouldCheckParserCache( ParserOptions $parserOptions, $oldId ) {
2748 return $this->mPage->shouldCheckParserCache( $parserOptions, $oldId );
2749 }
2750
2751 /**
2752 * Call to WikiPage function for backwards compatibility.
2753 * @see WikiPage::supportsSections
2754 */
2755 public function supportsSections() {
2756 return $this->mPage->supportsSections();
2757 }
2758
2759 /**
2760 * Call to WikiPage function for backwards compatibility.
2761 * @see WikiPage::triggerOpportunisticLinksUpdate
2762 */
2763 public function triggerOpportunisticLinksUpdate( ParserOutput $parserOutput ) {
2764 return $this->mPage->triggerOpportunisticLinksUpdate( $parserOutput );
2765 }
2766
2767 /**
2768 * Call to WikiPage function for backwards compatibility.
2769 * @see WikiPage::updateCategoryCounts
2770 */
2771 public function updateCategoryCounts( array $added, array $deleted, $id = 0 ) {
2772 return $this->mPage->updateCategoryCounts( $added, $deleted, $id );
2773 }
2774
2775 /**
2776 * Call to WikiPage function for backwards compatibility.
2777 * @see WikiPage::updateIfNewerOn
2778 */
2779 public function updateIfNewerOn( $dbw, $revision ) {
2780 return $this->mPage->updateIfNewerOn( $dbw, $revision );
2781 }
2782
2783 /**
2784 * Call to WikiPage function for backwards compatibility.
2785 * @see WikiPage::updateRedirectOn
2786 */
2787 public function updateRedirectOn( $dbw, $redirectTitle, $lastRevIsRedirect = null ) {
2788 return $this->mPage->updateRedirectOn( $dbw, $redirectTitle, $lastRevIsRedirect );
2789 }
2790
2791 /**
2792 * Call to WikiPage function for backwards compatibility.
2793 * @see WikiPage::updateRevisionOn
2794 */
2795 public function updateRevisionOn( $dbw, $revision, $lastRevision = null,
2796 $lastRevIsRedirect = null
2797 ) {
2798 return $this->mPage->updateRevisionOn( $dbw, $revision, $lastRevision,
2799 $lastRevIsRedirect
2800 );
2801 }
2802
2803 /**
2804 * @param array $limit
2805 * @param array $expiry
2806 * @param bool &$cascade
2807 * @param string $reason
2808 * @param User $user
2809 * @return Status
2810 */
2811 public function doUpdateRestrictions( array $limit, array $expiry, &$cascade,
2812 $reason, User $user
2813 ) {
2814 return $this->mPage->doUpdateRestrictions( $limit, $expiry, $cascade, $reason, $user );
2815 }
2816
2817 /**
2818 * @param array $limit
2819 * @param string $reason
2820 * @param int &$cascade
2821 * @param array $expiry
2822 * @return bool
2823 */
2824 public function updateRestrictions( $limit = [], $reason = '',
2825 &$cascade = 0, $expiry = []
2826 ) {
2827 return $this->mPage->doUpdateRestrictions(
2828 $limit,
2829 $expiry,
2830 $cascade,
2831 $reason,
2832 $this->getContext()->getUser()
2833 );
2834 }
2835
2836 /**
2837 * @param string $reason
2838 * @param bool $suppress
2839 * @param int|null $u1 Unused
2840 * @param bool|null $u2 Unused
2841 * @param string &$error
2842 * @param bool $immediate false allows deleting over time via the job queue
2843 * @return bool
2844 * @throws FatalError
2845 * @throws MWException
2846 */
2847 public function doDeleteArticle(
2848 $reason, $suppress = false, $u1 = null, $u2 = null, &$error = '', $immediate = false
2849 ) {
2850 return $this->mPage->doDeleteArticle( $reason, $suppress, $u1, $u2, $error,
2851 null, $immediate );
2852 }
2853
2854 /**
2855 * @param string $fromP
2856 * @param string $summary
2857 * @param string $token
2858 * @param bool $bot
2859 * @param array &$resultDetails
2860 * @param User|null $user
2861 * @return array
2862 */
2863 public function doRollback( $fromP, $summary, $token, $bot, &$resultDetails, User $user = null ) {
2864 if ( !$user ) {
2865 $user = $this->getContext()->getUser();
2866 }
2867
2868 return $this->mPage->doRollback( $fromP, $summary, $token, $bot, $resultDetails, $user );
2869 }
2870
2871 /**
2872 * @param string $fromP
2873 * @param string $summary
2874 * @param bool $bot
2875 * @param array &$resultDetails
2876 * @param User|null $guser
2877 * @return array
2878 */
2879 public function commitRollback( $fromP, $summary, $bot, &$resultDetails, User $guser = null ) {
2880 if ( !$guser ) {
2881 $guser = $this->getContext()->getUser();
2882 }
2883
2884 return $this->mPage->commitRollback( $fromP, $summary, $bot, $resultDetails, $guser );
2885 }
2886
2887 /**
2888 * @param bool &$hasHistory
2889 * @return mixed
2890 */
2891 public function generateReason( &$hasHistory ) {
2892 $title = $this->mPage->getTitle();
2893 $handler = ContentHandler::getForTitle( $title );
2894 return $handler->getAutoDeleteReason( $title, $hasHistory );
2895 }
2896
2897 // ******
2898 }