wiki.techinc.nl/maintenance/refreshLinks.php

422 lines
14 KiB
PHP
Raw Normal View History

<?php
/**
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License along
* with this program; if not, write to the Free Software Foundation, Inc.,
* 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
* http://www.gnu.org/copyleft/gpl.html
*
* @file
*/
use MediaWiki\Linker\LinkTarget;
use MediaWiki\MediaWikiServices;
use MediaWiki\Revision\RevisionRecord;
use MediaWiki\Title\Title;
use Wikimedia\Rdbms\IReadableDatabase;
use Wikimedia\Rdbms\SelectQueryBuilder;
require_once __DIR__ . '/Maintenance.php';
/**
* Refresh link tables.
*
* @ingroup Maintenance
*/
class RefreshLinks extends Maintenance {
private const REPORTING_INTERVAL = 100;
public function __construct() {
parent::__construct();
$this->addDescription( 'Refresh link tables' );
$this->addOption( 'verbose', 'Output information about link refresh progress', false, false, 'v' );
$this->addOption( 'dfn-only', 'Delete links from nonexistent articles only' );
$this->addOption( 'new-only', 'Only affect articles with just a single edit' );
$this->addOption( 'redirects-only', 'Only fix redirects, not all links' );
$this->addOption( 'old-redirects-only', 'Only fix redirects with no redirect table entry' );
$this->addOption( 'e', 'Last page id to refresh', false, true );
$this->addOption( 'dfn-chunk-size', 'Maximum number of existent IDs to check per ' .
'query, default 100000', false, true );
$this->addOption( 'namespace', 'Only fix pages in this namespace', false, true );
$this->addOption( 'category', 'Only fix pages in this category', false, true );
$this->addOption( 'tracking-category', 'Only fix pages in this tracking category', false, true );
$this->addOption( 'before-timestamp', 'Only fix pages that were last updated before this timestamp',
false, true );
$this->addArg( 'start', 'Page_id to start from, default 1', false );
$this->setBatchSize( 100 );
}
2004-02-23 08:08:38 +00:00
public function execute() {
// Note that there is a difference between not specifying the start
// and end IDs and using the minimum and maximum values from the page
// table. In the latter case, deleteLinksFromNonexistent() will not
// delete entries for nonexistent IDs that fall outside the range.
$start = (int)$this->getArg( 0 ) ?: null;
$end = (int)$this->getOption( 'e' ) ?: null;
$dfnChunkSize = (int)$this->getOption( 'dfn-chunk-size', 100000 );
if ( $this->hasOption( 'dfn-only' ) ) {
$this->deleteLinksFromNonexistent( $start, $end, $this->getBatchSize(), $dfnChunkSize );
return;
}
$dbr = $this->getDB( DB_REPLICA, [ 'vslow' ] );
$builder = $dbr->newSelectQueryBuilder()
->from( 'page' )
->where( self::intervalCond( $dbr, 'page_id', $start, $end ) )
->limit( $this->getBatchSize() );
if ( $this->hasOption( 'namespace' ) ) {
$builder->andWhere( [ 'page_namespace' => (int)$this->getOption( 'namespace' ) ] );
}
if ( $this->hasOption( 'before-timestamp' ) ) {
$timeCond = $dbr->buildComparison( '<', [
'page_links_updated' => $this->getOption( 'before-timestamp' )
] );
$builder->andWhere( [ "$timeCond OR page_links_updated IS NULL" ] );
}
if ( $this->hasOption( 'category' ) ) {
$category = $this->getOption( 'category' );
$title = Title::makeTitleSafe( NS_CATEGORY, $category );
if ( !$title ) {
$this->fatalError( "'$category' is an invalid category name!\n" );
}
$this->refreshCategory( $builder, $title );
} elseif ( $this->hasOption( 'tracking-category' ) ) {
// See TrackingCategories::CORE_TRACKING_CATEGORIES for tracking category keys defined by core
$this->refreshTrackingCategory( $builder, $this->getOption( 'tracking-category' ) );
} else {
$new = $this->hasOption( 'new-only' );
$redir = $this->hasOption( 'redirects-only' );
$oldRedir = $this->hasOption( 'old-redirects-only' );
$what = $redir ? 'redirects' : 'links';
if ( $oldRedir ) {
$builder->leftJoin( 'redirect', null, 'page_id=rd_from' )
->andWhere( [
'page_is_redirect' => 1,
'rd_from' => null,
] );
$this->output( "Refreshing old redirects from $start...\n" );
} elseif ( $new ) {
$builder->andWhere( [ 'page_is_new' => 1 ] );
$this->output( "Refreshing $what from new pages...\n" );
} else {
$this->output( "Refreshing $what from pages...\n" );
}
$this->doRefreshLinks( $builder, $redir || $oldRedir );
if ( !$this->hasOption( 'namespace' ) ) {
$this->deleteLinksFromNonexistent( $start, $end, $this->getBatchSize(), $dfnChunkSize );
}
}
}
/**
* Do the actual link refreshing.
* @param SelectQueryBuilder $builder
* @param bool $redirectsOnly Only fix redirects
* @param array $indexFields
*/
private function doRefreshLinks(
SelectQueryBuilder $builder,
bool $redirectsOnly = false,
array $indexFields = [ 'page_id' ]
) {
// Give extensions a chance to optimize settings
Hooks::run() call site migration Migrate all callers of Hooks::run() to use the new HookContainer/HookRunner system. General principles: * Use DI if it is already used. We're not changing the way state is managed in this patch. * HookContainer is always injected, not HookRunner. HookContainer is a service, it's a more generic interface, it is the only thing that provides isRegistered() which is needed in some cases, and a HookRunner can be efficiently constructed from it (confirmed by benchmark). Because HookContainer is needed for object construction, it is also needed by all factories. * "Ask your friendly local base class". Big hierarchies like SpecialPage and ApiBase have getHookContainer() and getHookRunner() methods in the base class, and classes that extend that base class are not expected to know or care where the base class gets its HookContainer from. * ProtectedHookAccessorTrait provides protected getHookContainer() and getHookRunner() methods, getting them from the global service container. The point of this is to ease migration to DI by ensuring that call sites ask their local friendly base class rather than getting a HookRunner from the service container directly. * Private $this->hookRunner. In some smaller classes where accessor methods did not seem warranted, there is a private HookRunner property which is accessed directly. Very rarely (two cases), there is a protected property, for consistency with code that conventionally assumes protected=private, but in cases where the class might actually be overridden, a protected accessor is preferred over a protected property. * The last resort: Hooks::runner(). Mostly for static, file-scope and global code. In a few cases it was used for objects with broken construction schemes, out of horror or laziness. Constructors with new required arguments: * AuthManager * BadFileLookup * BlockManager * ClassicInterwikiLookup * ContentHandlerFactory * ContentSecurityPolicy * DefaultOptionsManager * DerivedPageDataUpdater * FullSearchResultWidget * HtmlCacheUpdater * LanguageFactory * LanguageNameUtils * LinkRenderer * LinkRendererFactory * LocalisationCache * MagicWordFactory * MessageCache * NamespaceInfo * PageEditStash * PageHandlerFactory * PageUpdater * ParserFactory * PermissionManager * RevisionStore * RevisionStoreFactory * SearchEngineConfig * SearchEngineFactory * SearchFormWidget * SearchNearMatcher * SessionBackend * SpecialPageFactory * UserNameUtils * UserOptionsManager * WatchedItemQueryService * WatchedItemStore Constructors with new optional arguments: * DefaultPreferencesFactory * Language * LinkHolderArray * MovePage * Parser * ParserCache * PasswordReset * Router setHookContainer() now required after construction: * AuthenticationProvider * ResourceLoaderModule * SearchEngine Change-Id: Id442b0dbe43aba84bd5cf801d86dedc768b082c7
2020-03-19 02:42:09 +00:00
$this->getHookRunner()->onMaintenanceRefreshLinksInit( $this );
$estimateCount = $builder->estimateRowCount();
$this->output( "Estimated page count: $estimateCount\n" );
$i = 0;
$lastIndexes = array_fill_keys( $indexFields, 0 );
$verbose = $this->hasOption( 'verbose' );
$dbr = $this->getDB( DB_REPLICA, [ 'vslow' ] );
do {
$batchCond = $dbr->buildComparison( '>', $lastIndexes );
$res = ( clone $builder )->select( $indexFields )
->andWhere( [ $batchCond ] )
->orderBy( $indexFields )
->caller( __METHOD__ )->fetchResultSet();
2011-02-09 19:54:23 +00:00
if ( $verbose ) {
$this->output( "Refreshing links for {$res->numRows()} pages\n" );
}
foreach ( $res as $row ) {
if ( !( ++$i % self::REPORTING_INTERVAL ) ) {
$this->output( "$i\n" );
$this->waitForReplication();
}
if ( $verbose ) {
$this->output( "Refreshing links for page ID {$row->page_id}\n" );
}
$this->fixRedirect( $row->page_id );
if ( !$redirectsOnly ) {
self::fixLinksFromArticle( $row->page_id );
}
}
if ( $res->numRows() ) {
$res->seek( $res->numRows() - 1 );
foreach ( $indexFields as $field ) {
$lastIndexes[$field] = $res->current()->$field;
}
}
} while ( $res->numRows() == $this->getBatchSize() );
}
/**
* Update the redirect entry for a given page.
*
* This methods bypasses the "redirect" table to get the redirect target,
* and parses the page's content to fetch it. This allows to be sure that
* the redirect target is up to date and valid.
* This is particularly useful when modifying namespaces to be sure the
* entry in the "redirect" table points to the correct page and not to an
* invalid one.
*
* @param int $id The page ID to check
*/
2010-05-22 16:50:39 +00:00
private function fixRedirect( $id ) {
$page = MediaWikiServices::getInstance()->getWikiPageFactory()->newFromID( $id );
// In case the page just got deleted.
if ( $page === null ) {
return;
}
$rt = null;
$content = $page->getContent( RevisionRecord::RAW );
if ( $content !== null ) {
$rt = $content->getRedirectTarget();
}
$dbw = $this->getDB( DB_PRIMARY );
if ( $rt === null ) {
// The page is not a redirect
// Delete any redirect table entry for it
$dbw->delete( 'redirect', [ 'rd_from' => $id ], __METHOD__ );
$fieldValue = 0;
} else {
$page->insertRedirectEntry( $rt );
$fieldValue = 1;
}
// Update the page table to be sure it is an a consistent state
$dbw->update( 'page', [ 'page_is_redirect' => $fieldValue ],
[ 'page_id' => $id ], __METHOD__ );
}
/**
* Run LinksUpdate for all links on a given page_id
* @param int $id The page_id
*/
public static function fixLinksFromArticle( $id ) {
$services = MediaWikiServices::getInstance();
$page = $services->getWikiPageFactory()->newFromID( $id );
// In case the page just got deleted.
if ( $page === null ) {
return;
}
// Defer updates to post-send but then immediately execute deferred updates;
// this is the simplest way to run all updates immediately (including updates
// scheduled by other updates).
$page->doSecondaryDataUpdates( [
'defer' => DeferredUpdates::POSTSEND,
'causeAction' => 'refresh-links-maintenance',
'recursive' => false,
] );
DeferredUpdates::doUpdates();
}
2011-07-09 03:49:25 +00:00
/**
* Removes non-existing links from pages from pagelinks, imagelinks,
* categorylinks, templatelinks, externallinks, interwikilinks, langlinks and redirect tables.
*
* @param int|null $start Page_id to start from
* @param int|null $end Page_id to stop at
* @param int $batchSize The size of deletion batches
* @param int $chunkSize Maximum number of existent IDs to check per query
*
* @author Merlijn van Deen <valhallasw@arctus.nl>
*/
private function deleteLinksFromNonexistent( $start = null, $end = null, $batchSize = 100,
$chunkSize = 100000
) {
$this->waitForReplication();
$this->output( "Deleting illegal entries from the links tables...\n" );
$dbr = $this->getDB( DB_REPLICA, [ 'vslow' ] );
do {
// Find the start of the next chunk. This is based only
// on existent page_ids.
$nextStart = $dbr->newSelectQueryBuilder()
->select( 'page_id' )
->from( 'page' )
->where( [ self::intervalCond( $dbr, 'page_id', $start, $end ) ] )
->orderBy( 'page_id' )
->offset( $chunkSize )
->caller( __METHOD__ )->fetchField();
if ( $nextStart !== false ) {
// To find the end of the current chunk, subtract one.
// This will serve to limit the number of rows scanned in
// dfnCheckInterval(), per query, to at most the sum of
// the chunk size and deletion batch size.
$chunkEnd = $nextStart - 1;
} else {
// This is the last chunk. Check all page_ids up to $end.
$chunkEnd = $end;
}
$fmtStart = $start !== null ? "[$start" : '(-INF';
$fmtChunkEnd = $chunkEnd !== null ? "$chunkEnd]" : 'INF)';
$this->output( " Checking interval $fmtStart, $fmtChunkEnd\n" );
$this->dfnCheckInterval( $start, $chunkEnd, $batchSize );
$start = $nextStart;
} while ( $nextStart !== false );
}
/**
* @see RefreshLinks::deleteLinksFromNonexistent()
* @param int|null $start Page_id to start from
* @param int|null $end Page_id to stop at
* @param int $batchSize The size of deletion batches
*/
private function dfnCheckInterval( $start = null, $end = null, $batchSize = 100 ) {
$dbw = $this->getDB( DB_PRIMARY );
$dbr = $this->getDB( DB_REPLICA, [ 'vslow' ] );
$linksTables = [
// table name => page_id field
'pagelinks' => 'pl_from',
'imagelinks' => 'il_from',
'categorylinks' => 'cl_from',
'templatelinks' => 'tl_from',
'externallinks' => 'el_from',
'iwlinks' => 'iwl_from',
'langlinks' => 'll_from',
'redirect' => 'rd_from',
'page_props' => 'pp_page',
];
foreach ( $linksTables as $table => $field ) {
$this->output( " $table: 0" );
$tableStart = $start;
$counter = 0;
do {
$ids = $dbr->selectFieldValues(
$table,
$field,
[
self::intervalCond( $dbr, $field, $tableStart, $end ),
"$field NOT IN ({$dbr->selectSQLText( 'page', 'page_id', [], __METHOD__ )})",
],
__METHOD__,
[ 'DISTINCT', 'ORDER BY' => $field, 'LIMIT' => $batchSize ]
);
$numIds = count( $ids );
if ( $numIds ) {
$counter += $numIds;
$dbw->delete( $table, [ $field => $ids ], __METHOD__ );
$this->output( ", $counter" );
$tableStart = $ids[$numIds - 1] + 1;
$this->waitForReplication();
}
} while ( $numIds >= $batchSize && ( $end === null || $tableStart <= $end ) );
$this->output( " deleted.\n" );
}
}
/**
* Build a SQL expression for a closed interval (i.e. BETWEEN).
*
* By specifying a null $start or $end, it is also possible to create
* half-bounded or unbounded intervals using this function.
*
* @param IReadableDatabase $db
* @param string $var Field name
* @param mixed $start First value to include or null
* @param mixed $end Last value to include or null
* @return string
*/
private static function intervalCond( IReadableDatabase $db, $var, $start, $end ) {
if ( $start === null && $end === null ) {
return "$var IS NOT NULL";
} elseif ( $end === null ) {
return "$var >= " . $db->addQuotes( $start );
} elseif ( $start === null ) {
return "$var <= " . $db->addQuotes( $end );
} else {
return "$var BETWEEN " . $db->addQuotes( $start ) . ' AND ' . $db->addQuotes( $end );
}
}
/**
* Refershes links for pages in a tracking category
*
* @param SelectQueryBuilder $builder
* @param string $category Category key
*/
private function refreshTrackingCategory( SelectQueryBuilder $builder, $category ) {
$cats = $this->getPossibleCategories( $category );
if ( !$cats ) {
$this->error( "Tracking category '$category' is disabled\n" );
// Output to stderr but don't bail out.
}
foreach ( $cats as $cat ) {
$this->refreshCategory( clone $builder, $cat );
}
}
/**
* Refreshes links to a category
*
* @param SelectQueryBuilder $builder
* @param LinkTarget $category
*/
private function refreshCategory( SelectQueryBuilder $builder, LinkTarget $category ) {
$this->output( "Refreshing pages in category '{$category->getText()}'...\n" );
$builder->join( 'categorylinks', null, 'page_id=cl_from' )
->andWhere( [ 'cl_to' => $category->getDBkey() ] );
$this->doRefreshLinks( $builder, false, [ 'cl_timestamp', 'cl_from' ] );
}
/**
* Returns a list of possible categories for a given tracking category key
*
* @param string $categoryKey
* @return LinkTarget[]
*/
private function getPossibleCategories( $categoryKey ) {
$cats = MediaWikiServices::getInstance()->getTrackingCategories()->getTrackingCategories();
if ( isset( $cats[$categoryKey] ) ) {
return $cats[$categoryKey]['cats'];
}
$this->fatalError( "Unknown tracking category {$categoryKey}\n" );
}
}
$maintClass = RefreshLinks::class;
require_once RUN_MAINTENANCE_IF_MAIN;