MediaWiki master
DeletePage.php
Go to the documentation of this file.
1<?php
2
3namespace MediaWiki\Page;
4
5use BadMethodCallException;
6use Exception;
7use LogicException;
37use StatusValue;
38use Wikimedia\IPUtils;
44use Wikimedia\RequestTimeout\TimeoutException;
45
55 public const CONSTRUCTOR_OPTIONS = [
58 ];
59
63 public const PAGE_BASE = 'base';
64 public const PAGE_TALK = 'talk';
65
67 private $isDeletePageUnitTest = false;
69 private $suppress = false;
71 private $tags = [];
73 private $logSubtype = 'delete';
75 private $forceImmediate = false;
77 private $associatedTalk;
78
80 private $legacyHookErrors = '';
82 private $mergeLegacyHookErrors = true;
83
88 private $successfulDeletionsIDs;
93 private $wasScheduled;
95 private $attemptedDeletion = false;
96
97 private HookRunner $hookRunner;
98 private DomainEventDispatcher $eventDispatcher;
99 private RevisionStore $revisionStore;
100 private LBFactory $lbFactory;
101 private JobQueueGroup $jobQueueGroup;
102 private CommentStore $commentStore;
103 private ServiceOptions $options;
104 private BagOStuff $recentDeletesCache;
105 private string $localWikiID;
106 private string $webRequestID;
107 private WikiPageFactory $wikiPageFactory;
108 private UserFactory $userFactory;
109 private BacklinkCacheFactory $backlinkCacheFactory;
110 private NamespaceInfo $namespaceInfo;
111 private ITextFormatter $contLangMsgTextFormatter;
112 private RedirectStore $redirectStore;
113 private WikiPage $page;
114 private Authority $deleter;
115
119 public function __construct(
120 HookContainer $hookContainer,
121 DomainEventDispatcher $eventDispatcher,
122 RevisionStore $revisionStore,
123 LBFactory $lbFactory,
124 JobQueueGroup $jobQueueGroup,
125 CommentStore $commentStore,
126 ServiceOptions $serviceOptions,
127 BagOStuff $recentDeletesCache,
128 string $localWikiID,
129 string $webRequestID,
130 WikiPageFactory $wikiPageFactory,
131 UserFactory $userFactory,
132 BacklinkCacheFactory $backlinkCacheFactory,
133 NamespaceInfo $namespaceInfo,
134 ITextFormatter $contLangMsgTextFormatter,
135 RedirectStore $redirectStore,
136 ProperPageIdentity $page,
137 Authority $deleter
138 ) {
139 $this->hookRunner = new HookRunner( $hookContainer );
140 $this->eventDispatcher = $eventDispatcher;
141 $this->revisionStore = $revisionStore;
142 $this->lbFactory = $lbFactory;
143 $this->jobQueueGroup = $jobQueueGroup;
144 $this->commentStore = $commentStore;
145 $serviceOptions->assertRequiredOptions( self::CONSTRUCTOR_OPTIONS );
146 $this->options = $serviceOptions;
147 $this->recentDeletesCache = $recentDeletesCache;
148 $this->localWikiID = $localWikiID;
149 $this->webRequestID = $webRequestID;
150 $this->wikiPageFactory = $wikiPageFactory;
151 $this->userFactory = $userFactory;
152 $this->backlinkCacheFactory = $backlinkCacheFactory;
153 $this->namespaceInfo = $namespaceInfo;
154 $this->contLangMsgTextFormatter = $contLangMsgTextFormatter;
155
156 $this->page = $wikiPageFactory->newFromTitle( $page );
157 $this->deleter = $deleter;
158 $this->redirectStore = $redirectStore;
159 }
160
165 public function getLegacyHookErrors() {
166 return $this->legacyHookErrors;
167 }
168
173 public function keepLegacyHookErrorsSeparate(): self {
174 $this->mergeLegacyHookErrors = false;
175 return $this;
176 }
177
185 public function setSuppress( bool $suppress ): self {
186 $this->suppress = $suppress;
187 return $this;
188 }
189
196 public function setTags( array $tags ): self {
197 $this->tags = $tags;
198 return $this;
199 }
200
207 public function setLogSubtype( string $logSubtype ): self {
208 $this->logSubtype = $logSubtype;
209 return $this;
210 }
211
218 public function forceImmediate( bool $forceImmediate ): self {
219 $this->forceImmediate = $forceImmediate;
220 return $this;
221 }
222
228 if ( $this->namespaceInfo->isTalk( $this->page->getNamespace() ) ) {
229 return StatusValue::newFatal( 'delete-error-associated-alreadytalk' );
230 }
231 / FIXME NamespaceInfo should work with PageIdentity
232 $talkPage = $this->wikiPageFactory->newFromLinkTarget(
233 $this->namespaceInfo->getTalkPage( $this->page->getTitle() )
234 );
235 if ( !$talkPage->exists() ) {
236 return StatusValue::newFatal( 'delete-error-associated-doesnotexist' );
237 }
238 return StatusValue::newGood();
239 }
240
252 public function setDeleteAssociatedTalk( bool $delete ): self {
253 if ( !$delete ) {
254 $this->associatedTalk = null;
255 return $this;
256 }
257
258 if ( $this->namespaceInfo->isTalk( $this->page->getNamespace() ) ) {
259 throw new BadMethodCallException( "Cannot delete associated talk page of a talk page! ($this->page)" );
260 }
261 / FIXME NamespaceInfo should work with PageIdentity
262 $this->associatedTalk = $this->wikiPageFactory->newFromLinkTarget(
263 $this->namespaceInfo->getTalkPage( $this->page->getTitle() )
264 );
265 return $this;
266 }
267
273 public function setIsDeletePageUnitTest( bool $test ): void {
274 if ( !defined( 'MW_PHPUNIT_TEST' ) ) {
275 throw new LogicException( __METHOD__ . ' can only be used in tests!' );
276 }
277 $this->isDeletePageUnitTest = $test;
278 }
279
285 public function setDeletionAttempted(): self {
286 $this->attemptedDeletion = true;
287 $this->successfulDeletionsIDs = [ self::PAGE_BASE => null ];
288 $this->wasScheduled = [ self::PAGE_BASE => null ];
289 if ( $this->associatedTalk ) {
290 $this->successfulDeletionsIDs[self::PAGE_TALK] = null;
291 $this->wasScheduled[self::PAGE_TALK] = null;
292 }
293 return $this;
294 }
295
300 private function assertDeletionAttempted(): void {
301 if ( !$this->attemptedDeletion ) {
302 throw new BadMethodCallException( 'No deletion was attempted' );
303 }
304 }
305
310 public function getSuccessfulDeletionsIDs(): array {
311 $this->assertDeletionAttempted();
312 return $this->successfulDeletionsIDs;
313 }
314
319 public function deletionsWereScheduled(): array {
320 $this->assertDeletionAttempted();
321 return $this->wasScheduled;
322 }
323
330 public function deleteIfAllowed( string $reason ): StatusValue {
331 $this->setDeletionAttempted();
332 $status = $this->authorizeDeletion();
333 if ( !$status->isGood() ) {
334 return $status;
335 }
336
337 return $this->deleteUnsafe( $reason );
338 }
339
340 private function authorizeDeletion(): PermissionStatus {
341 $status = PermissionStatus::newEmpty();
342 $this->deleter->authorizeWrite( 'delete', $this->page, $status );
343 if ( $this->associatedTalk ) {
344 $this->deleter->authorizeWrite( 'delete', $this->associatedTalk, $status );
345 }
346 if ( !$this->deleter->isAllowed( 'bigdelete' ) && $this->isBigDeletion() ) {
347 $status->fatal(
348 'delete-toomanyrevisions',
349 Message::numParam( $this->options->get( MainConfigNames::DeleteRevisionsLimit ) )
350 );
351 }
352 if ( $this->tags ) {
353 $status->merge( ChangeTags::canAddTagsAccompanyingChange( $this->tags, $this->deleter ) );
354 }
355 return $status;
356 }
357
358 private function isBigDeletion(): bool {
359 $revLimit = $this->options->get( MainConfigNames::DeleteRevisionsLimit );
360 if ( !$revLimit ) {
361 return false;
362 }
363
364 $dbr = $this->lbFactory->getReplicaDatabase();
365 $revCount = $this->revisionStore->countRevisionsByPageId( $dbr, $this->page->getId() );
366 if ( $this->associatedTalk ) {
367 $revCount += $this->revisionStore->countRevisionsByPageId( $dbr, $this->associatedTalk->getId() );
368 }
369
370 return $revCount > $revLimit;
371 }
372
385 public function isBatchedDelete( int $safetyMargin = 0 ): bool {
386 $dbr = $this->lbFactory->getReplicaDatabase();
387 $revCount = $this->revisionStore->countRevisionsByPageId( $dbr, $this->page->getId() );
388 $revCount += $safetyMargin;
389
390 if ( $revCount >= $this->options->get( MainConfigNames::DeleteRevisionsBatchSize ) ) {
391 return true;
392 } elseif ( !$this->associatedTalk ) {
393 return false;
394 }
395
396 $talkRevCount = $this->revisionStore->countRevisionsByPageId( $dbr, $this->associatedTalk->getId() );
397 $talkRevCount += $safetyMargin;
398
399 return $talkRevCount >= $this->options->get( MainConfigNames::DeleteRevisionsBatchSize );
400 }
401
412 public function deleteUnsafe( string $reason ): Status {
413 $this->setDeletionAttempted();
414 $origReason = $reason;
415 $hookStatus = $this->runPreDeleteHooks( $this->page, $reason );
416 if ( !$hookStatus->isGood() ) {
417 return $hookStatus;
418 }
419 if ( $this->associatedTalk ) {
420 $talkReason = $this->contLangMsgTextFormatter->format(
421 MessageValue::new( 'delete-talk-summary-prefix' )->plaintextParams( $origReason )
422 );
423 $talkHookStatus = $this->runPreDeleteHooks( $this->associatedTalk, $talkReason );
424 if ( !$talkHookStatus->isGood() ) {
425 return $talkHookStatus;
426 }
427 }
428
429 $status = $this->deleteInternal( $this->page, self::PAGE_BASE, $reason );
430 if ( !$this->associatedTalk || !$status->isGood() ) {
431 return $status;
432 }
433 / NOTE: If the page deletion above failed because the page is no longer there (e.g. race condition) we'll
434 / still try to delete the talk page, since it was the user's intention anyway.
435 / @phan-suppress-next-next-line PhanPossiblyUndeclaredVariable talkReason is set when used
436 / @phan-suppress-next-line PhanTypeMismatchArgumentNullable talkReason is set when used
437 $status->merge( $this->deleteInternal( $this->associatedTalk, self::PAGE_TALK, $talkReason ) );
438 return $status;
439 }
440
446 private function runPreDeleteHooks( WikiPage $page, string &$reason ): Status {
447 $status = Status::newGood();
448
449 $legacyDeleter = $this->userFactory->newFromAuthority( $this->deleter );
450 if ( !$this->hookRunner->onArticleDelete(
451 $page, $legacyDeleter, $reason, $this->legacyHookErrors, $status, $this->suppress )
452 ) {
453 if ( $this->mergeLegacyHookErrors && $this->legacyHookErrors !== '' ) {
454 if ( is_string( $this->legacyHookErrors ) ) {
455 $this->legacyHookErrors = [ $this->legacyHookErrors ];
456 }
457 foreach ( $this->legacyHookErrors as $legacyError ) {
458 $status->fatal( new RawMessage( $legacyError ) );
459 }
460 }
461 if ( $status->isOK() ) {
462 / Hook aborted but didn't set a fatal status
463 $status->fatal( 'delete-hook-aborted' );
464 }
465 return $status;
466 }
467
468 / Use a new Status in case a hook handler put something here without aborting.
469 $status = Status::newGood();
470 $hookRes = $this->hookRunner->onPageDelete( $page, $this->deleter, $reason, $status, $this->suppress );
471 if ( !$hookRes && !$status->isGood() ) {
472 / Note: as per the PageDeleteHook documentation, `return false` is ignored if $status is good.
473 return $status;
474 }
475 return Status::newGood();
476 }
477
493 public function deleteInternal(
494 WikiPage $page,
495 string $pageRole,
496 string $reason,
497 ?string $webRequestId = null,
498 $ticket = null
499 ): Status {
500 $title = $page->getTitle();
501 $status = Status::newGood();
502
503 $dbw = $this->lbFactory->getPrimaryDatabase();
504 $dbw->startAtomic( __METHOD__ );
505
506 $page->loadPageData( IDBAccessObject::READ_LATEST );
507 $id = $page->getId();
508 / T98706: lock the page from various other updates but avoid using
509 / IDBAccessObject::READ_LOCKING as that will carry over the FOR UPDATE to
510 / the revisions queries (which also JOIN on user). Only lock the page
511 / row and CAS check on page_latest to see if the trx snapshot matches.
512 $lockedLatest = $page->lockAndGetLatest();
513 if ( $id === 0 || $page->getLatest() !== $lockedLatest ) {
514 $dbw->endAtomic( __METHOD__ );
515 / Page not there or trx snapshot is stale
516 $status->error( 'cannotdelete', wfEscapeWikiText( $title->getPrefixedText() ) );
517 return $status;
518 }
519
520 / At this point we are now committed to returning an OK
521 / status unless some DB query error or other exception comes up.
522 / This way callers don't have to call rollback() if $status is bad
523 / unless they actually try to catch exceptions (which is rare).
524
525 / we need to remember the old content so we can use it to generate all deletion updates.
526 $revisionRecord = $page->getRevisionRecord();
527 if ( !$revisionRecord ) {
528 throw new LogicException( "No revisions for $page?" );
529 }
530 try {
531 $content = $page->getContent( RevisionRecord::RAW );
532 } catch ( TimeoutException $e ) {
533 throw $e;
534 } catch ( Exception $ex ) {
535 wfLogWarning( __METHOD__ . ': failed to load content during deletion! '
536 . $ex->getMessage() );
537
538 $content = null;
539 }
540
541 / Archive revisions. In immediate mode, archive all revisions. Otherwise, archive
542 / one batch of revisions and defer archival of any others to the job queue.
543 while ( true ) {
544 $done = $this->archiveRevisions( $page, $id );
545 if ( $done || !$this->forceImmediate ) {
546 break;
547 }
548 $dbw->endAtomic( __METHOD__ );
549 $this->lbFactory->commitAndWaitForReplication( __METHOD__, $ticket );
550 $dbw->startAtomic( __METHOD__ );
551 }
552
553 if ( !$done ) {
554 $dbw->endAtomic( __METHOD__ );
555
556 $jobParams = [
557 'namespace' => $title->getNamespace(),
558 'title' => $title->getDBkey(),
559 'wikiPageId' => $id,
560 'requestId' => $webRequestId ?? $this->webRequestID,
561 'reason' => $reason,
562 'suppress' => $this->suppress,
563 'userId' => $this->deleter->getUser()->getId(),
564 'tags' => json_encode( $this->tags ),
565 'logsubtype' => $this->logSubtype,
566 'pageRole' => $pageRole,
567 ];
568
569 $job = new DeletePageJob( $jobParams );
570 $this->jobQueueGroup->push( $job );
571 $this->wasScheduled[$pageRole] = true;
572 return $status;
573 }
574 $this->wasScheduled[$pageRole] = false;
575
576 / Get archivedRevisionCount by db query, because there's no better alternative.
577 / Jobs cannot pass a count of archived revisions to the next job, because additional
578 / deletion operations can be started while the first is running. Jobs from each
579 / gracefully interleave, but would not know about each other's count. Deduplication
580 / in the job queue to avoid simultaneous deletion operations would add overhead.
581 / Number of archived revisions cannot be known beforehand, because edits can be made
582 / while deletion operations are being processed, changing the number of archivals.
583 $archivedRevisionCount = $dbw->newSelectQueryBuilder()
584 ->select( '*' )
585 ->from( 'archive' )
586 ->where( [
587 'ar_namespace' => $title->getNamespace(),
588 'ar_title' => $title->getDBkey(),
589 'ar_page_id' => $id
590 ] )
591 ->caller( __METHOD__ )->fetchRowCount();
592
593 / Look up the redirect target before deleting the page to avoid inconsistent state (T348881).
594 / The cloning business below is specifically to allow hook handlers to check the redirect
595 / status before the deletion (see I715046dc8157047aff4d5bd03ea6b5a47aee58bb).
596 $page->getRedirectTarget();
597 / Clone the title and wikiPage, so we have the information we need when
598 / we log and run the ArticleDeleteComplete hook.
599 $logTitle = clone $title;
600 $wikiPageBeforeDelete = clone $page;
601 $pageBeforeDelete = $page->toPageRecord();
602
603 / Now that it's safely backed up, delete it
604 $dbw->newDeleteQueryBuilder()
605 ->deleteFrom( 'page' )
606 ->where( [ 'page_id' => $id ] )
607 ->caller( __METHOD__ )->execute();
608
609 / Log the deletion, if the page was suppressed, put it in the suppression log instead
610 $logtype = $this->suppress ? 'suppress' : 'delete';
611
612 $logEntry = new ManualLogEntry( $logtype, $this->logSubtype );
613 $logEntry->setPerformer( $this->deleter->getUser() );
614 $logEntry->setTarget( $logTitle );
615 $logEntry->setComment( $reason );
616 $logEntry->addTags( $this->tags );
617 if ( !$this->isDeletePageUnitTest ) {
618 / TODO: Remove conditional once ManualLogEntry is servicified (T253717)
619 $logid = $logEntry->insert();
620
621 $dbw->onTransactionPreCommitOrIdle(
622 static function () use ( $logEntry, $logid ) {
623 / T58776: avoid deadlocks (especially from FileDeleteForm)
624 $logEntry->publish( $logid );
625 },
626 __METHOD__
627 );
628 } else {
629 $logid = 42;
630 }
631
632 $this->eventDispatcher->dispatch( new PageDeletedEvent(
633 $pageBeforeDelete,
634 $revisionRecord,
635 $this->deleter->getUser(),
636 $this->tags,
637 [ PageDeletedEvent::FLAG_SUPPRESSED => $this->suppress ],
638 $logEntry->getTimestamp(),
639 $reason,
640 $archivedRevisionCount
641 ), $this->lbFactory );
642
643 $dbw->endAtomic( __METHOD__ );
644
645 $this->doDeleteUpdates( $wikiPageBeforeDelete, $revisionRecord );
646
647 / Reset the page object and the Title object
648 $page->loadFromRow( false, IDBAccessObject::READ_LATEST );
649
650 / Make sure there are no cached title instances that refer to the same page.
651 Title::clearCaches();
652
653 $legacyDeleter = $this->userFactory->newFromAuthority( $this->deleter );
654 $this->hookRunner->onArticleDeleteComplete(
655 $wikiPageBeforeDelete,
656 $legacyDeleter,
657 $reason,
658 $id,
659 $content,
660 $logEntry,
661 $archivedRevisionCount
662 );
663 $this->hookRunner->onPageDeleteComplete(
664 $pageBeforeDelete,
665 $this->deleter,
666 $reason,
667 $id,
668 $revisionRecord,
669 $logEntry,
670 $archivedRevisionCount
671 );
672 $this->successfulDeletionsIDs[$pageRole] = $logid;
673
674 / Clear any cached redirect status for the now-deleted page.
675 $this->redirectStore->clearCache( $page );
676
677 / Show log excerpt on 404 pages rather than just a link
678 $key = $this->recentDeletesCache->makeKey( 'page-recent-delete', md5( $logTitle->getPrefixedText() ) );
679 $this->recentDeletesCache->set( $key, 1, BagOStuff::TTL_DAY );
680
681 return $status;
682 }
683
691 private function archiveRevisions( WikiPage $page, int $id ): bool {
692 / Given the lock above, we can be confident in the title and page ID values
693 $namespace = $page->getTitle()->getNamespace();
694 $dbKey = $page->getTitle()->getDBkey();
695
696 $dbw = $this->lbFactory->getPrimaryDatabase();
697
698 $revQuery = $this->revisionStore->getQueryInfo();
699 $bitfield = false;
700
701 / Bitfields to further suppress the content
702 if ( $this->suppress ) {
703 $bitfield = RevisionRecord::SUPPRESSED_ALL;
704 $revQuery['fields'] = array_diff( $revQuery['fields'], [ 'rev_deleted' ] );
705 }
706
707 / For now, shunt the revision data into the archive table.
708 / Text is *not* removed from the text table; bulk storage
709 / is left intact to avoid breaking block-compression or
710 / immutable storage schemes.
711 / In the future, we may keep revisions and mark them with
712 / the rev_deleted field, which is reserved for this purpose.
713
714 / Lock rows in `revision` and its temp tables, but not any others.
715 / Note array_intersect() preserves keys from the first arg, and we're
716 / assuming $revQuery has `revision` primary and isn't using subtables
717 / for anything we care about.
718 $lockQuery = $revQuery;
719 $lockQuery['tables'] = array_intersect(
720 $revQuery['tables'],
721 [ 'revision', 'revision_comment_temp' ]
722 );
723 unset( $lockQuery['fields'] );
724 $dbw->newSelectQueryBuilder()
725 ->queryInfo( $lockQuery )
726 ->where( [ 'rev_page' => $id ] )
727 ->forUpdate()
728 ->caller( __METHOD__ )
729 ->acquireRowLocks();
730
731 $deleteBatchSize = $this->options->get( MainConfigNames::DeleteRevisionsBatchSize );
732 / Get as many of the page revisions as we are allowed to. The +1 lets us recognize the
733 / unusual case where there were exactly $deleteBatchSize revisions remaining.
734 $res = $dbw->newSelectQueryBuilder()
735 ->queryInfo( $revQuery )
736 ->where( [ 'rev_page' => $id ] )
737 ->orderBy( [ 'rev_timestamp', 'rev_id' ] )
738 ->limit( $deleteBatchSize + 1 )
739 ->caller( __METHOD__ )
740 ->fetchResultSet();
741
742 / Build their equivalent archive rows
743 $rowsInsert = [];
744 $revids = [];
745
747 $ipRevIds = [];
748
749 $done = true;
750 foreach ( $res as $row ) {
751 if ( count( $revids ) >= $deleteBatchSize ) {
752 $done = false;
753 break;
754 }
755
756 $comment = $this->commentStore->getComment( 'rev_comment', $row );
757 $rowInsert = [
758 'ar_namespace' => $namespace,
759 'ar_title' => $dbKey,
760 'ar_actor' => $row->rev_actor,
761 'ar_timestamp' => $row->rev_timestamp,
762 'ar_minor_edit' => $row->rev_minor_edit,
763 'ar_rev_id' => $row->rev_id,
764 'ar_parent_id' => $row->rev_parent_id,
765 'ar_len' => $row->rev_len,
766 'ar_page_id' => $id,
767 'ar_deleted' => $this->suppress ? $bitfield : $row->rev_deleted,
768 'ar_sha1' => $row->rev_sha1,
769 ] + $this->commentStore->insert( $dbw, 'ar_comment', $comment );
770
771 $rowsInsert[] = $rowInsert;
772 $revids[] = $row->rev_id;
773
774 / Keep track of IP edits, so that the corresponding rows can
775 / be deleted in the ip_changes table.
776 if ( (int)$row->rev_user === 0 && IPUtils::isValid( $row->rev_user_text ) ) {
777 $ipRevIds[] = $row->rev_id;
778 }
779 }
780
781 if ( count( $revids ) > 0 ) {
782 / Copy them into the archive table
783 $dbw->newInsertQueryBuilder()
784 ->insertInto( 'archive' )
785 ->rows( $rowsInsert )
786 ->caller( __METHOD__ )->execute();
787
788 $dbw->newDeleteQueryBuilder()
789 ->deleteFrom( 'revision' )
790 ->where( [ 'rev_id' => $revids ] )
791 ->caller( __METHOD__ )->execute();
792 / Also delete records from ip_changes as applicable.
793 if ( count( $ipRevIds ) > 0 ) {
794 $dbw->newDeleteQueryBuilder()
795 ->deleteFrom( 'ip_changes' )
796 ->where( [ 'ipc_rev_id' => $ipRevIds ] )
797 ->caller( __METHOD__ )->execute();
798 }
799 }
800
801 return $done;
802 }
803
812 private function doDeleteUpdates( WikiPage $pageBeforeDelete, RevisionRecord $revRecord ): void {
813 try {
814 $countable = $pageBeforeDelete->isCountable();
815 } catch ( TimeoutException $e ) {
816 throw $e;
817 } catch ( Exception $ex ) {
818 / fallback for deleting broken pages for which we cannot load the content for
819 / some reason. Note that doDeleteArticleReal() already logged this problem.
820 $countable = false;
821 }
822
823 / Update site status
824 / TODO: Move to ChangeTrackingEventIngress,
825 / see https://gerrit.wikimedia.org/r/c/mediawiki/core/+/1099177
826 DeferredUpdates::addUpdate( SiteStatsUpdate::factory(
827 [ 'edits' => 1, 'articles' => $countable ? -1 : 0, 'pages' => -1 ]
828 ) );
829
830 / Delete pagelinks, update secondary indexes, etc
831 $updates = $this->getDeletionUpdates( $pageBeforeDelete, $revRecord );
832 foreach ( $updates as $update ) {
833 DeferredUpdates::addUpdate( $update );
834 }
835
836 / Reparse any pages transcluding this page
837 LinksUpdate::queueRecursiveJobsForTable(
838 $pageBeforeDelete->getTitle(),
839 'templatelinks',
840 'delete-page',
841 $this->deleter->getUser()->getName(),
842 $this->backlinkCacheFactory->getBacklinkCache( $pageBeforeDelete->getTitle() )
843 );
844 / Reparse any pages including this image
845 if ( $pageBeforeDelete->getTitle()->getNamespace() === NS_FILE ) {
846 LinksUpdate::queueRecursiveJobsForTable(
847 $pageBeforeDelete->getTitle(),
848 'imagelinks',
849 'delete-page',
850 $this->deleter->getUser()->getName(),
851 $this->backlinkCacheFactory->getBacklinkCache( $pageBeforeDelete->getTitle() )
852 );
853 }
854
855 if ( !$this->isDeletePageUnitTest ) {
856 / TODO Remove conditional once WikiPage::onArticleDelete is moved to a proper service
857 / Clear caches
858 WikiPage::onArticleDelete( $pageBeforeDelete->getTitle() );
859 }
860 }
861
871 private function getDeletionUpdates( WikiPage $page, RevisionRecord $rev ): array {
872 if ( $this->isDeletePageUnitTest ) {
873 / Hack: LinksDeletionUpdate reads from the global state in the constructor
874 return [];
875 }
876 $slotContent = array_map( static function ( SlotRecord $slot ) {
877 return $slot->getContent();
878 }, $rev->getSlots()->getSlots() );
879
880 $allUpdates = [ new LinksDeletionUpdate( $page ) ];
881
882 / NOTE: once Content::getDeletionUpdates() is removed, we only need the content
883 / model here, not the content object!
884 / TODO: consolidate with similar logic in DerivedPageDataUpdater::getSecondaryDataUpdates()
886 $content = null; / in case $slotContent is zero-length
887 foreach ( $slotContent as $role => $content ) {
888 $handler = $content->getContentHandler();
889
890 $updates = $handler->getDeletionUpdates(
891 $page->getTitle(),
892 $role
893 );
894
895 $allUpdates = array_merge( $allUpdates, $updates );
896 }
897
898 $this->hookRunner->onPageDeletionDataUpdates(
899 $page->getTitle(), $rev, $allUpdates );
900
901 / TODO: hard deprecate old hook in 1.33
902 $this->hookRunner->onWikiPageDeletionUpdates( $page, $content, $allUpdates );
903 return $allUpdates;
904 }
905}
const NS_FILE
Definition Defines.php:71
wfEscapeWikiText( $input)
Escapes the given text so that it may be output using addWikiText() without any linking,...
wfLogWarning( $msg, $callerOffset=1, $level=E_USER_WARNING)
Send a warning as a PHP error and the debug log.
if(!defined('MW_SETUP_CALLBACK'))
Definition WebStart.php:81
Recent changes tagging.
Handle database storage of comments such as edit summaries and log reasons.
A class for passing options to services.
assertRequiredOptions(array $expectedKeys)
Assert that the list of options provided in this instance exactly match $expectedKeys,...
Defer callable updates to run later in the PHP process.
Update object handling the cleanup of links tables after a page was deleted.
Class the manages updates of *_link tables as well as similar extension-managed tables.
Class for handling updates to the site_stats table.
This class provides an implementation of the core hook interfaces, forwarding hook calls to HookConta...
Handle enqueueing of background jobs.
Variant of the Message class.
Class for creating new log entries and inserting them into the database.
A class containing constants representing the names of configuration variables.
const DeleteRevisionsLimit
Name constant for the DeleteRevisionsLimit setting, for use with Config::get()
const DeleteRevisionsBatchSize
Name constant for the DeleteRevisionsBatchSize setting, for use with Config::get()
The Message class deals with fetching and processing of interface message into a variety of formats.
Definition Message.php:155
Backend logic for performing a page delete action.
setDeletionAttempted()
Called before attempting a deletion, allows the result getters to be used.
canProbablyDeleteAssociatedTalk()
Tests whether it's probably possible to delete the associated talk page.
__construct(HookContainer $hookContainer, DomainEventDispatcher $eventDispatcher, RevisionStore $revisionStore, LBFactory $lbFactory, JobQueueGroup $jobQueueGroup, CommentStore $commentStore, ServiceOptions $serviceOptions, BagOStuff $recentDeletesCache, string $localWikiID, string $webRequestID, WikiPageFactory $wikiPageFactory, UserFactory $userFactory, BacklinkCacheFactory $backlinkCacheFactory, NamespaceInfo $namespaceInfo, ITextFormatter $contLangMsgTextFormatter, RedirectStore $redirectStore, ProperPageIdentity $page, Authority $deleter)
setTags(array $tags)
Change tags to apply to the deletion action.
deleteIfAllowed(string $reason)
Same as deleteUnsafe, but checks permissions.
setLogSubtype(string $logSubtype)
Set a specific log subtype for the deletion log entry.
const PAGE_BASE
Constants used for the return value of getSuccessfulDeletionsIDs() and deletionsWereScheduled()
isBatchedDelete(int $safetyMargin=0)
Determines if this deletion would be batched (executed over time by the job queue) or not (completed ...
deleteInternal(WikiPage $page, string $pageRole, string $reason, ?string $webRequestId=null, $ticket=null)
setIsDeletePageUnitTest(bool $test)
deleteUnsafe(string $reason)
Back-end article deletion: deletes the article with database consistency, writes logs,...
forceImmediate(bool $forceImmediate)
If false, allows deleting over time via the job queue.
setDeleteAssociatedTalk(bool $delete)
If set to true and the page has a talk page, delete that one too.
setSuppress(bool $suppress)
If true, suppress all revisions and log the deletion in the suppression log instead of the deletion l...
Domain event representing page deletion.
Service for storing and retrieving page redirect information.
Service for creating WikiPage objects.
newFromTitle(PageIdentity $pageIdentity)
Create a WikiPage object from a title.
Base representation for an editable wiki page.
Definition WikiPage.php:92
loadPageData( $from='fromdb')
Load the object from a given source by title.
Definition WikiPage.php:420
getContent( $audience=RevisionRecord::FOR_PUBLIC, ?Authority $performer=null)
Get the content of the current revision.
Definition WikiPage.php:771
getRevisionRecord()
Get the latest revision.
Definition WikiPage.php:753
getLatest( $wikiId=self::LOCAL)
Get the page_latest field.
Definition WikiPage.php:690
getRedirectTarget()
If this page is a redirect, get its target.
Definition WikiPage.php:970
getId( $wikiId=self::LOCAL)
Definition WikiPage.php:536
toPageRecord()
Returns the page represented by this WikiPage as a PageStoreRecord.
lockAndGetLatest()
Lock the page row for this title+id and return page_latest (or 0)
A StatusValue for permission errors.
Page revision base class.
Service for looking up page revisions.
Value object representing a content slot associated with a page revision.
Generic operation result class Has warning/error list, boolean status and arbitrary value.
Definition Status.php:54
This is a utility class for dealing with namespaces that encodes all the "magic" behaviors of them ba...
Represents a title within MediaWiki.
Definition Title.php:78
Create User objects.
Generic operation result class Has warning/error list, boolean status and arbitrary value.
fatal( $message,... $parameters)
Add an error and set OK to false, indicating that the operation as a whole was fatal.
Value object representing a message for i18n.
Abstract class for any ephemeral data store.
Definition BagOStuff.php:87
Content objects represent page content, e.g.
Definition Content.php:42
Interface that deferrable updates should implement.
Service for sending domain events to registered listeners.
Interface for a page that is (or could be, or used to be) an editable wiki page.
This interface represents the authority associated with the current execution context,...
Definition Authority.php:37
Interface for database access objects.
if(count( $args)< 1) $job

Follow Lee on X/Twitter - Father, Husband, Serial builder creating AI, crypto, games & web tools. We are friends :) AI Will Come To Life!

Check out: eBank.nz (Art Generator) | Netwrck.com (AI Tools) | Text-Generator.io (AI API) | BitBank.nz (Crypto AI) | ReadingTime (Kids Reading) | RewordGame | BigMultiplayerChess | WebFiddle | How.nz | Helix AI Assistant