Merge "Remove parameter 'options' from hook 'SkinEditSectionLinks'"
[lhc/web/wiklou.git] / includes / MovePage.php
1 <?php
2
3 /**
4 * This program is free software; you can redistribute it and/or modify
5 * it under the terms of the GNU General Public License as published by
6 * the Free Software Foundation; either version 2 of the License, or
7 * (at your option) any later version.
8 *
9 * This program is distributed in the hope that it will be useful,
10 * but WITHOUT ANY WARRANTY; without even the implied warranty of
11 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 * GNU General Public License for more details.
13 *
14 * You should have received a copy of the GNU General Public License along
15 * with this program; if not, write to the Free Software Foundation, Inc.,
16 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
17 * http://www.gnu.org/copyleft/gpl.html
18 *
19 * @file
20 */
21
22 use MediaWiki\MediaWikiServices;
23 use MediaWiki\Revision\SlotRecord;
24 use Wikimedia\Rdbms\IDatabase;
25
26 /**
27 * Handles the backend logic of moving a page from one title
28 * to another.
29 *
30 * @since 1.24
31 */
32 class MovePage {
33
34 /**
35 * @var Title
36 */
37 protected $oldTitle;
38
39 /**
40 * @var Title
41 */
42 protected $newTitle;
43
44 public function __construct( Title $oldTitle, Title $newTitle ) {
45 $this->oldTitle = $oldTitle;
46 $this->newTitle = $newTitle;
47 }
48
49 public function checkPermissions( User $user, $reason ) {
50 $status = new Status();
51
52 $errors = wfMergeErrorArrays(
53 $this->oldTitle->getUserPermissionsErrors( 'move', $user ),
54 $this->oldTitle->getUserPermissionsErrors( 'edit', $user ),
55 $this->newTitle->getUserPermissionsErrors( 'move-target', $user ),
56 $this->newTitle->getUserPermissionsErrors( 'edit', $user )
57 );
58
59 // Convert into a Status object
60 if ( $errors ) {
61 foreach ( $errors as $error ) {
62 $status->fatal( ...$error );
63 }
64 }
65
66 if ( EditPage::matchSummarySpamRegex( $reason ) !== false ) {
67 // This is kind of lame, won't display nice
68 $status->fatal( 'spamprotectiontext' );
69 }
70
71 $tp = $this->newTitle->getTitleProtection();
72 if ( $tp !== false && !$user->isAllowed( $tp['permission'] ) ) {
73 $status->fatal( 'cantmove-titleprotected' );
74 }
75
76 Hooks::run( 'MovePageCheckPermissions',
77 [ $this->oldTitle, $this->newTitle, $user, $reason, $status ]
78 );
79
80 return $status;
81 }
82
83 /**
84 * Does various sanity checks that the move is
85 * valid. Only things based on the two titles
86 * should be checked here.
87 *
88 * @return Status
89 */
90 public function isValidMove() {
91 global $wgContentHandlerUseDB;
92 $status = new Status();
93
94 if ( $this->oldTitle->equals( $this->newTitle ) ) {
95 $status->fatal( 'selfmove' );
96 }
97 if ( !$this->oldTitle->isMovable() ) {
98 $status->fatal( 'immobile-source-namespace', $this->oldTitle->getNsText() );
99 }
100 if ( $this->newTitle->isExternal() ) {
101 $status->fatal( 'immobile-target-namespace-iw' );
102 }
103 if ( !$this->newTitle->isMovable() ) {
104 $status->fatal( 'immobile-target-namespace', $this->newTitle->getNsText() );
105 }
106
107 $oldid = $this->oldTitle->getArticleID();
108
109 if ( $this->newTitle->getDBkey() === '' ) {
110 $status->fatal( 'articleexists' );
111 }
112 if (
113 ( $this->oldTitle->getDBkey() == '' ) ||
114 ( !$oldid ) ||
115 ( $this->newTitle->getDBkey() == '' )
116 ) {
117 $status->fatal( 'badarticleerror' );
118 }
119
120 # The move is allowed only if (1) the target doesn't exist, or
121 # (2) the target is a redirect to the source, and has no history
122 # (so we can undo bad moves right after they're done).
123 if ( $this->newTitle->getArticleID() && !$this->isValidMoveTarget() ) {
124 $status->fatal( 'articleexists' );
125 }
126
127 // Content model checks
128 if ( !$wgContentHandlerUseDB &&
129 $this->oldTitle->getContentModel() !== $this->newTitle->getContentModel() ) {
130 // can't move a page if that would change the page's content model
131 $status->fatal(
132 'bad-target-model',
133 ContentHandler::getLocalizedName( $this->oldTitle->getContentModel() ),
134 ContentHandler::getLocalizedName( $this->newTitle->getContentModel() )
135 );
136 } elseif (
137 !ContentHandler::getForTitle( $this->oldTitle )->canBeUsedOn( $this->newTitle )
138 ) {
139 $status->fatal(
140 'content-not-allowed-here',
141 ContentHandler::getLocalizedName( $this->oldTitle->getContentModel() ),
142 $this->newTitle->getPrefixedText(),
143 SlotRecord::MAIN
144 );
145 }
146
147 // Image-specific checks
148 if ( $this->oldTitle->inNamespace( NS_FILE ) ) {
149 $status->merge( $this->isValidFileMove() );
150 }
151
152 if ( $this->newTitle->inNamespace( NS_FILE ) && !$this->oldTitle->inNamespace( NS_FILE ) ) {
153 $status->fatal( 'nonfile-cannot-move-to-file' );
154 }
155
156 // Hook for extensions to say a title can't be moved for technical reasons
157 Hooks::run( 'MovePageIsValidMove', [ $this->oldTitle, $this->newTitle, $status ] );
158
159 return $status;
160 }
161
162 /**
163 * Sanity checks for when a file is being moved
164 *
165 * @return Status
166 */
167 protected function isValidFileMove() {
168 $status = new Status();
169 $file = wfLocalFile( $this->oldTitle );
170 $file->load( File::READ_LATEST );
171 if ( $file->exists() ) {
172 if ( $this->newTitle->getText() != wfStripIllegalFilenameChars( $this->newTitle->getText() ) ) {
173 $status->fatal( 'imageinvalidfilename' );
174 }
175 if ( !File::checkExtensionCompatibility( $file, $this->newTitle->getDBkey() ) ) {
176 $status->fatal( 'imagetypemismatch' );
177 }
178 }
179
180 if ( !$this->newTitle->inNamespace( NS_FILE ) ) {
181 $status->fatal( 'imagenocrossnamespace' );
182 }
183
184 return $status;
185 }
186
187 /**
188 * Checks if $this can be moved to a given Title
189 * - Selects for update, so don't call it unless you mean business
190 *
191 * @since 1.25
192 * @return bool
193 */
194 protected function isValidMoveTarget() {
195 # Is it an existing file?
196 if ( $this->newTitle->inNamespace( NS_FILE ) ) {
197 $file = wfLocalFile( $this->newTitle );
198 $file->load( File::READ_LATEST );
199 if ( $file->exists() ) {
200 wfDebug( __METHOD__ . ": file exists\n" );
201 return false;
202 }
203 }
204 # Is it a redirect with no history?
205 if ( !$this->newTitle->isSingleRevRedirect() ) {
206 wfDebug( __METHOD__ . ": not a one-rev redirect\n" );
207 return false;
208 }
209 # Get the article text
210 $rev = Revision::newFromTitle( $this->newTitle, false, Revision::READ_LATEST );
211 if ( !is_object( $rev ) ) {
212 return false;
213 }
214 $content = $rev->getContent();
215 # Does the redirect point to the source?
216 # Or is it a broken self-redirect, usually caused by namespace collisions?
217 $redirTitle = $content ? $content->getRedirectTarget() : null;
218
219 if ( $redirTitle ) {
220 if ( $redirTitle->getPrefixedDBkey() !== $this->oldTitle->getPrefixedDBkey() &&
221 $redirTitle->getPrefixedDBkey() !== $this->newTitle->getPrefixedDBkey() ) {
222 wfDebug( __METHOD__ . ": redirect points to other page\n" );
223 return false;
224 } else {
225 return true;
226 }
227 } else {
228 # Fail safe (not a redirect after all. strange.)
229 wfDebug( __METHOD__ . ": failsafe: database says " . $this->newTitle->getPrefixedDBkey() .
230 " is a redirect, but it doesn't contain a valid redirect.\n" );
231 return false;
232 }
233 }
234
235 /**
236 * Move a page without taking user permissions into account. Only checks if the move is itself
237 * invalid, e.g., trying to move a special page or trying to move a page onto one that already
238 * exists.
239 *
240 * @param User $user
241 * @param string|null $reason
242 * @param bool|null $createRedirect
243 * @param string[] $changeTags Change tags to apply to the entry in the move log
244 * @return Status
245 */
246 public function move(
247 User $user, $reason = null, $createRedirect = true, array $changeTags = []
248 ) {
249 $status = $this->isValidMove();
250 if ( !$status->isOK() ) {
251 return $status;
252 }
253
254 return $this->moveUnsafe( $user, $reason, $createRedirect, $changeTags );
255 }
256
257 /**
258 * Same as move(), but with permissions checks.
259 *
260 * @param User $user
261 * @param string|null $reason
262 * @param bool|null $createRedirect Ignored if user doesn't have suppressredirect permission
263 * @param string[] $changeTags Change tags to apply to the entry in the move log
264 * @return Status
265 */
266 public function moveIfAllowed(
267 User $user, $reason = null, $createRedirect = true, array $changeTags = []
268 ) {
269 $status = $this->isValidMove();
270 $status->merge( $this->checkPermissions( $user, $reason ) );
271 if ( $changeTags ) {
272 $status->merge( ChangeTags::canAddTagsAccompanyingChange( $changeTags, $user ) );
273 }
274
275 if ( !$status->isOK() ) {
276 // Auto-block user's IP if the account was "hard" blocked
277 $user->spreadAnyEditBlock();
278 return $status;
279 }
280
281 // Check suppressredirect permission
282 if ( !$user->isAllowed( 'suppressredirect' ) ) {
283 $createRedirect = true;
284 }
285
286 return $this->moveUnsafe( $user, $reason, $createRedirect, $changeTags );
287 }
288
289 /**
290 * Moves *without* any sort of safety or sanity checks. Hooks can still fail the move, however.
291 *
292 * @param User $user
293 * @param string $reason
294 * @param bool $createRedirect
295 * @param string[] $changeTags Change tags to apply to the entry in the move log
296 * @return Status
297 */
298 private function moveUnsafe( User $user, $reason, $createRedirect, array $changeTags ) {
299 global $wgCategoryCollation;
300
301 $status = Status::newGood();
302 Hooks::run( 'TitleMove', [ $this->oldTitle, $this->newTitle, $user, $reason, &$status ] );
303 if ( !$status->isOK() ) {
304 // Move was aborted by the hook
305 return $status;
306 }
307
308 $dbw = wfGetDB( DB_MASTER );
309 $dbw->startAtomic( __METHOD__, IDatabase::ATOMIC_CANCELABLE );
310
311 Hooks::run( 'TitleMoveStarting', [ $this->oldTitle, $this->newTitle, $user ] );
312
313 $pageid = $this->oldTitle->getArticleID( Title::GAID_FOR_UPDATE );
314 $protected = $this->oldTitle->isProtected();
315
316 // Do the actual move; if this fails, it will throw an MWException(!)
317 $nullRevision = $this->moveToInternal( $user, $this->newTitle, $reason, $createRedirect,
318 $changeTags );
319
320 // Refresh the sortkey for this row. Be careful to avoid resetting
321 // cl_timestamp, which may disturb time-based lists on some sites.
322 // @todo This block should be killed, it's duplicating code
323 // from LinksUpdate::getCategoryInsertions() and friends.
324 $prefixes = $dbw->select(
325 'categorylinks',
326 [ 'cl_sortkey_prefix', 'cl_to' ],
327 [ 'cl_from' => $pageid ],
328 __METHOD__
329 );
330 $services = MediaWikiServices::getInstance();
331 $type = $services->getNamespaceInfo()->
332 getCategoryLinkType( $this->newTitle->getNamespace() );
333 foreach ( $prefixes as $prefixRow ) {
334 $prefix = $prefixRow->cl_sortkey_prefix;
335 $catTo = $prefixRow->cl_to;
336 $dbw->update( 'categorylinks',
337 [
338 'cl_sortkey' => Collation::singleton()->getSortKey(
339 $this->newTitle->getCategorySortkey( $prefix ) ),
340 'cl_collation' => $wgCategoryCollation,
341 'cl_type' => $type,
342 'cl_timestamp=cl_timestamp' ],
343 [
344 'cl_from' => $pageid,
345 'cl_to' => $catTo ],
346 __METHOD__
347 );
348 }
349
350 $redirid = $this->oldTitle->getArticleID();
351
352 if ( $protected ) {
353 # Protect the redirect title as the title used to be...
354 $res = $dbw->select(
355 'page_restrictions',
356 [ 'pr_type', 'pr_level', 'pr_cascade', 'pr_user', 'pr_expiry' ],
357 [ 'pr_page' => $pageid ],
358 __METHOD__,
359 'FOR UPDATE'
360 );
361 $rowsInsert = [];
362 foreach ( $res as $row ) {
363 $rowsInsert[] = [
364 'pr_page' => $redirid,
365 'pr_type' => $row->pr_type,
366 'pr_level' => $row->pr_level,
367 'pr_cascade' => $row->pr_cascade,
368 'pr_user' => $row->pr_user,
369 'pr_expiry' => $row->pr_expiry
370 ];
371 }
372 $dbw->insert( 'page_restrictions', $rowsInsert, __METHOD__, [ 'IGNORE' ] );
373
374 // Build comment for log
375 $comment = wfMessage(
376 'prot_1movedto2',
377 $this->oldTitle->getPrefixedText(),
378 $this->newTitle->getPrefixedText()
379 )->inContentLanguage()->text();
380 if ( $reason ) {
381 $comment .= wfMessage( 'colon-separator' )->inContentLanguage()->text() . $reason;
382 }
383
384 // reread inserted pr_ids for log relation
385 $insertedPrIds = $dbw->select(
386 'page_restrictions',
387 'pr_id',
388 [ 'pr_page' => $redirid ],
389 __METHOD__
390 );
391 $logRelationsValues = [];
392 foreach ( $insertedPrIds as $prid ) {
393 $logRelationsValues[] = $prid->pr_id;
394 }
395
396 // Update the protection log
397 $logEntry = new ManualLogEntry( 'protect', 'move_prot' );
398 $logEntry->setTarget( $this->newTitle );
399 $logEntry->setComment( $comment );
400 $logEntry->setPerformer( $user );
401 $logEntry->setParameters( [
402 '4::oldtitle' => $this->oldTitle->getPrefixedText(),
403 ] );
404 $logEntry->setRelations( [ 'pr_id' => $logRelationsValues ] );
405 $logEntry->setTags( $changeTags );
406 $logId = $logEntry->insert();
407 $logEntry->publish( $logId );
408 }
409
410 // Update *_from_namespace fields as needed
411 if ( $this->oldTitle->getNamespace() != $this->newTitle->getNamespace() ) {
412 $dbw->update( 'pagelinks',
413 [ 'pl_from_namespace' => $this->newTitle->getNamespace() ],
414 [ 'pl_from' => $pageid ],
415 __METHOD__
416 );
417 $dbw->update( 'templatelinks',
418 [ 'tl_from_namespace' => $this->newTitle->getNamespace() ],
419 [ 'tl_from' => $pageid ],
420 __METHOD__
421 );
422 $dbw->update( 'imagelinks',
423 [ 'il_from_namespace' => $this->newTitle->getNamespace() ],
424 [ 'il_from' => $pageid ],
425 __METHOD__
426 );
427 }
428
429 # Update watchlists
430 $oldtitle = $this->oldTitle->getDBkey();
431 $newtitle = $this->newTitle->getDBkey();
432 $oldsnamespace = $services->getNamespaceInfo()->
433 getSubject( $this->oldTitle->getNamespace() );
434 $newsnamespace = $services->getNamespaceInfo()->
435 getSubject( $this->newTitle->getNamespace() );
436 if ( $oldsnamespace != $newsnamespace || $oldtitle != $newtitle ) {
437 $services->getWatchedItemStore()->duplicateAllAssociatedEntries(
438 $this->oldTitle, $this->newTitle );
439 }
440
441 // If it is a file then move it last.
442 // This is done after all database changes so that file system errors cancel the transaction.
443 if ( $this->oldTitle->getNamespace() == NS_FILE ) {
444 $status = $this->moveFile( $this->oldTitle, $this->newTitle );
445 if ( !$status->isOK() ) {
446 $dbw->cancelAtomic( __METHOD__ );
447 return $status;
448 }
449 }
450
451 Hooks::run(
452 'TitleMoveCompleting',
453 [ $this->oldTitle, $this->newTitle,
454 $user, $pageid, $redirid, $reason, $nullRevision ]
455 );
456
457 $dbw->endAtomic( __METHOD__ );
458
459 $params = [
460 &$this->oldTitle,
461 &$this->newTitle,
462 &$user,
463 $pageid,
464 $redirid,
465 $reason,
466 $nullRevision
467 ];
468 // Keep each single hook handler atomic
469 DeferredUpdates::addUpdate(
470 new AtomicSectionUpdate(
471 $dbw,
472 __METHOD__,
473 // Hold onto $user to avoid HHVM bug where it no longer
474 // becomes a reference (T118683)
475 function () use ( $params, &$user ) {
476 Hooks::run( 'TitleMoveComplete', $params );
477 }
478 )
479 );
480
481 return Status::newGood();
482 }
483
484 /**
485 * Move a file associated with a page to a new location.
486 * Can also be used to revert after a DB failure.
487 *
488 * @private
489 * @param Title $oldTitle Old location to move the file from.
490 * @param Title $newTitle New location to move the file to.
491 * @return Status
492 */
493 private function moveFile( $oldTitle, $newTitle ) {
494 $status = Status::newFatal(
495 'cannotdelete',
496 $oldTitle->getPrefixedText()
497 );
498
499 $file = wfLocalFile( $oldTitle );
500 $file->load( File::READ_LATEST );
501 if ( $file->exists() ) {
502 $status = $file->move( $newTitle );
503 }
504
505 // Clear RepoGroup process cache
506 RepoGroup::singleton()->clearCache( $oldTitle );
507 RepoGroup::singleton()->clearCache( $newTitle ); # clear false negative cache
508 return $status;
509 }
510
511 /**
512 * Move page to a title which is either a redirect to the
513 * source page or nonexistent
514 *
515 * @todo This was basically directly moved from Title, it should be split into
516 * smaller functions
517 * @param User $user the User doing the move
518 * @param Title $nt The page to move to, which should be a redirect or non-existent
519 * @param string $reason The reason for the move
520 * @param bool $createRedirect Whether to leave a redirect at the old title. Does not check
521 * if the user has the suppressredirect right
522 * @param string[] $changeTags Change tags to apply to the entry in the move log
523 * @return Revision the revision created by the move
524 * @throws MWException
525 */
526 private function moveToInternal( User $user, &$nt, $reason = '', $createRedirect = true,
527 array $changeTags = []
528 ) {
529 if ( $nt->exists() ) {
530 $moveOverRedirect = true;
531 $logType = 'move_redir';
532 } else {
533 $moveOverRedirect = false;
534 $logType = 'move';
535 }
536
537 if ( $moveOverRedirect ) {
538 $overwriteMessage = wfMessage(
539 'delete_and_move_reason',
540 $this->oldTitle->getPrefixedText()
541 )->inContentLanguage()->text();
542 $newpage = WikiPage::factory( $nt );
543 $errs = [];
544 $status = $newpage->doDeleteArticleReal(
545 $overwriteMessage,
546 /* $suppress */ false,
547 $nt->getArticleID(),
548 /* $commit */ false,
549 $errs,
550 $user,
551 $changeTags,
552 'delete_redir'
553 );
554
555 if ( !$status->isGood() ) {
556 throw new MWException( 'Failed to delete page-move revision: '
557 . $status->getWikiText( false, false, 'en' ) );
558 }
559
560 $nt->resetArticleID( false );
561 }
562
563 if ( $createRedirect ) {
564 if ( $this->oldTitle->getNamespace() == NS_CATEGORY
565 && !wfMessage( 'category-move-redirect-override' )->inContentLanguage()->isDisabled()
566 ) {
567 $redirectContent = new WikitextContent(
568 wfMessage( 'category-move-redirect-override' )
569 ->params( $nt->getPrefixedText() )->inContentLanguage()->plain() );
570 } else {
571 $contentHandler = ContentHandler::getForTitle( $this->oldTitle );
572 $redirectContent = $contentHandler->makeRedirectContent( $nt,
573 wfMessage( 'move-redirect-text' )->inContentLanguage()->plain() );
574 }
575
576 // NOTE: If this page's content model does not support redirects, $redirectContent will be null.
577 } else {
578 $redirectContent = null;
579 }
580
581 // Figure out whether the content model is no longer the default
582 $oldDefault = ContentHandler::getDefaultModelFor( $this->oldTitle );
583 $contentModel = $this->oldTitle->getContentModel();
584 $newDefault = ContentHandler::getDefaultModelFor( $nt );
585 $defaultContentModelChanging = ( $oldDefault !== $newDefault
586 && $oldDefault === $contentModel );
587
588 // T59084: log_page should be the ID of the *moved* page
589 $oldid = $this->oldTitle->getArticleID();
590 $logTitle = clone $this->oldTitle;
591
592 $logEntry = new ManualLogEntry( 'move', $logType );
593 $logEntry->setPerformer( $user );
594 $logEntry->setTarget( $logTitle );
595 $logEntry->setComment( $reason );
596 $logEntry->setParameters( [
597 '4::target' => $nt->getPrefixedText(),
598 '5::noredir' => $redirectContent ? '0' : '1',
599 ] );
600
601 $formatter = LogFormatter::newFromEntry( $logEntry );
602 $formatter->setContext( RequestContext::newExtraneousContext( $this->oldTitle ) );
603 $comment = $formatter->getPlainActionText();
604 if ( $reason ) {
605 $comment .= wfMessage( 'colon-separator' )->inContentLanguage()->text() . $reason;
606 }
607
608 $dbw = wfGetDB( DB_MASTER );
609
610 $oldpage = WikiPage::factory( $this->oldTitle );
611 $oldcountable = $oldpage->isCountable();
612
613 $newpage = WikiPage::factory( $nt );
614
615 # Change the name of the target page:
616 $dbw->update( 'page',
617 /* SET */ [
618 'page_namespace' => $nt->getNamespace(),
619 'page_title' => $nt->getDBkey(),
620 ],
621 /* WHERE */ [ 'page_id' => $oldid ],
622 __METHOD__
623 );
624
625 # Save a null revision in the page's history notifying of the move
626 $nullRevision = Revision::newNullRevision( $dbw, $oldid, $comment, true, $user );
627 if ( !is_object( $nullRevision ) ) {
628 throw new MWException( 'Failed to create null revision while moving page ID '
629 . $oldid . ' to ' . $nt->getPrefixedDBkey() );
630 }
631
632 $nullRevId = $nullRevision->insertOn( $dbw );
633 $logEntry->setAssociatedRevId( $nullRevId );
634
635 /**
636 * T163966
637 * Increment user_editcount during page moves
638 * Moved from SpecialMovepage.php per T195550
639 */
640 $user->incEditCount();
641
642 if ( !$redirectContent ) {
643 // Clean up the old title *before* reset article id - T47348
644 WikiPage::onArticleDelete( $this->oldTitle );
645 }
646
647 $this->oldTitle->resetArticleID( 0 ); // 0 == non existing
648 $nt->resetArticleID( $oldid );
649 $newpage->loadPageData( WikiPage::READ_LOCKING ); // T48397
650
651 $newpage->updateRevisionOn( $dbw, $nullRevision );
652
653 Hooks::run( 'NewRevisionFromEditComplete',
654 [ $newpage, $nullRevision, $nullRevision->getParentId(), $user ] );
655
656 $newpage->doEditUpdates( $nullRevision, $user,
657 [ 'changed' => false, 'moved' => true, 'oldcountable' => $oldcountable ] );
658
659 // If the default content model changes, we need to populate rev_content_model
660 if ( $defaultContentModelChanging ) {
661 $dbw->update(
662 'revision',
663 [ 'rev_content_model' => $contentModel ],
664 [ 'rev_page' => $nt->getArticleID(), 'rev_content_model IS NULL' ],
665 __METHOD__
666 );
667 }
668
669 WikiPage::onArticleCreate( $nt );
670
671 # Recreate the redirect, this time in the other direction.
672 if ( $redirectContent ) {
673 $redirectArticle = WikiPage::factory( $this->oldTitle );
674 $redirectArticle->loadFromRow( false, WikiPage::READ_LOCKING ); // T48397
675 $newid = $redirectArticle->insertOn( $dbw );
676 if ( $newid ) { // sanity
677 $this->oldTitle->resetArticleID( $newid );
678 $redirectRevision = new Revision( [
679 'title' => $this->oldTitle, // for determining the default content model
680 'page' => $newid,
681 'user_text' => $user->getName(),
682 'user' => $user->getId(),
683 'comment' => $comment,
684 'content' => $redirectContent ] );
685 $redirectRevId = $redirectRevision->insertOn( $dbw );
686 $redirectArticle->updateRevisionOn( $dbw, $redirectRevision, 0 );
687
688 Hooks::run( 'NewRevisionFromEditComplete',
689 [ $redirectArticle, $redirectRevision, false, $user ] );
690
691 $redirectArticle->doEditUpdates( $redirectRevision, $user, [ 'created' => true ] );
692
693 // make a copy because of log entry below
694 $redirectTags = $changeTags;
695 if ( in_array( 'mw-new-redirect', ChangeTags::getSoftwareTags() ) ) {
696 $redirectTags[] = 'mw-new-redirect';
697 }
698 ChangeTags::addTags( $redirectTags, null, $redirectRevId, null );
699 }
700 }
701
702 # Log the move
703 $logid = $logEntry->insert();
704
705 $logEntry->setTags( $changeTags );
706 $logEntry->publish( $logid );
707
708 return $nullRevision;
709 }
710 }