Expose $wgMaxArticleSize in siteinfo query api
[mediawiki.git] / includes / filerepo / LocalRepo.php
blobeaec15129cefbf29f7482d0a372cdb3879744da8
1 <?php
2 /**
3 * Local repository that stores files in the local filesystem and registers them
4 * in the wiki's own database.
6 * This program is free software; you can redistribute it and/or modify
7 * it under the terms of the GNU General Public License as published by
8 * the Free Software Foundation; either version 2 of the License, or
9 * (at your option) any later version.
11 * This program is distributed in the hope that it will be useful,
12 * but WITHOUT ANY WARRANTY; without even the implied warranty of
13 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 * GNU General Public License for more details.
16 * You should have received a copy of the GNU General Public License along
17 * with this program; if not, write to the Free Software Foundation, Inc.,
18 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
19 * http://www.gnu.org/copyleft/gpl.html
21 * @file
22 * @ingroup FileRepo
25 /**
26 * A repository that stores files in the local filesystem and registers them
27 * in the wiki's own database. This is the most commonly used repository class.
29 * @ingroup FileRepo
31 class LocalRepo extends FileRepo {
32 /** @var array */
33 protected $fileFactory = [ 'LocalFile', 'newFromTitle' ];
35 /** @var array */
36 protected $fileFactoryKey = [ 'LocalFile', 'newFromKey' ];
38 /** @var array */
39 protected $fileFromRowFactory = [ 'LocalFile', 'newFromRow' ];
41 /** @var array */
42 protected $oldFileFromRowFactory = [ 'OldLocalFile', 'newFromRow' ];
44 /** @var array */
45 protected $oldFileFactory = [ 'OldLocalFile', 'newFromTitle' ];
47 /** @var array */
48 protected $oldFileFactoryKey = [ 'OldLocalFile', 'newFromKey' ];
50 function __construct( array $info = null ) {
51 parent::__construct( $info );
53 $this->hasSha1Storage = isset( $info['storageLayout'] ) && $info['storageLayout'] === 'sha1';
55 if ( $this->hasSha1Storage() ) {
56 $this->backend = new FileBackendDBRepoWrapper( [
57 'backend' => $this->backend,
58 'repoName' => $this->name,
59 'dbHandleFactory' => $this->getDBFactory()
60 ] );
64 /**
65 * @throws MWException
66 * @param stdClass $row
67 * @return LocalFile
69 function newFileFromRow( $row ) {
70 if ( isset( $row->img_name ) ) {
71 return call_user_func( $this->fileFromRowFactory, $row, $this );
72 } elseif ( isset( $row->oi_name ) ) {
73 return call_user_func( $this->oldFileFromRowFactory, $row, $this );
74 } else {
75 throw new MWException( __METHOD__ . ': invalid row' );
79 /**
80 * @param Title $title
81 * @param string $archiveName
82 * @return OldLocalFile
84 function newFromArchiveName( $title, $archiveName ) {
85 return OldLocalFile::newFromArchiveName( $title, $this, $archiveName );
88 /**
89 * Delete files in the deleted directory if they are not referenced in the
90 * filearchive table. This needs to be done in the repo because it needs to
91 * interleave database locks with file operations, which is potentially a
92 * remote operation.
94 * @param array $storageKeys
96 * @return FileRepoStatus
98 function cleanupDeletedBatch( array $storageKeys ) {
99 if ( $this->hasSha1Storage() ) {
100 wfDebug( __METHOD__ . ": skipped because storage uses sha1 paths\n" );
101 return Status::newGood();
104 $backend = $this->backend; // convenience
105 $root = $this->getZonePath( 'deleted' );
106 $dbw = $this->getMasterDB();
107 $status = $this->newGood();
108 $storageKeys = array_unique( $storageKeys );
109 foreach ( $storageKeys as $key ) {
110 $hashPath = $this->getDeletedHashPath( $key );
111 $path = "$root/$hashPath$key";
112 $dbw->startAtomic( __METHOD__ );
113 // Check for usage in deleted/hidden files and preemptively
114 // lock the key to avoid any future use until we are finished.
115 $deleted = $this->deletedFileHasKey( $key, 'lock' );
116 $hidden = $this->hiddenFileHasKey( $key, 'lock' );
117 if ( !$deleted && !$hidden ) { // not in use now
118 wfDebug( __METHOD__ . ": deleting $key\n" );
119 $op = [ 'op' => 'delete', 'src' => $path ];
120 if ( !$backend->doOperation( $op )->isOK() ) {
121 $status->error( 'undelete-cleanup-error', $path );
122 $status->failCount++;
124 } else {
125 wfDebug( __METHOD__ . ": $key still in use\n" );
126 $status->successCount++;
128 $dbw->endAtomic( __METHOD__ );
131 return $status;
135 * Check if a deleted (filearchive) file has this sha1 key
137 * @param string $key File storage key (base-36 sha1 key with file extension)
138 * @param string|null $lock Use "lock" to lock the row via FOR UPDATE
139 * @return bool File with this key is in use
141 protected function deletedFileHasKey( $key, $lock = null ) {
142 $options = ( $lock === 'lock' ) ? [ 'FOR UPDATE' ] : [];
144 $dbw = $this->getMasterDB();
146 return (bool)$dbw->selectField( 'filearchive', '1',
147 [ 'fa_storage_group' => 'deleted', 'fa_storage_key' => $key ],
148 __METHOD__, $options
153 * Check if a hidden (revision delete) file has this sha1 key
155 * @param string $key File storage key (base-36 sha1 key with file extension)
156 * @param string|null $lock Use "lock" to lock the row via FOR UPDATE
157 * @return bool File with this key is in use
159 protected function hiddenFileHasKey( $key, $lock = null ) {
160 $options = ( $lock === 'lock' ) ? [ 'FOR UPDATE' ] : [];
162 $sha1 = self::getHashFromKey( $key );
163 $ext = File::normalizeExtension( substr( $key, strcspn( $key, '.' ) + 1 ) );
165 $dbw = $this->getMasterDB();
167 return (bool)$dbw->selectField( 'oldimage', '1',
168 [ 'oi_sha1' => $sha1,
169 'oi_archive_name ' . $dbw->buildLike( $dbw->anyString(), ".$ext" ),
170 $dbw->bitAnd( 'oi_deleted', File::DELETED_FILE ) => File::DELETED_FILE ],
171 __METHOD__, $options
176 * Gets the SHA1 hash from a storage key
178 * @param string $key
179 * @return string
181 public static function getHashFromKey( $key ) {
182 return strtok( $key, '.' );
186 * Checks if there is a redirect named as $title
188 * @param Title $title Title of file
189 * @return bool|Title
191 function checkRedirect( Title $title ) {
192 $title = File::normalizeTitle( $title, 'exception' );
194 $memcKey = $this->getSharedCacheKey( 'image_redirect', md5( $title->getDBkey() ) );
195 if ( $memcKey === false ) {
196 $memcKey = $this->getLocalCacheKey( 'image_redirect', md5( $title->getDBkey() ) );
197 $expiry = 300; // no invalidation, 5 minutes
198 } else {
199 $expiry = 86400; // has invalidation, 1 day
202 $that = $this;
203 $redirDbKey = ObjectCache::getMainWANInstance()->getWithSetCallback(
204 $memcKey,
205 $expiry,
206 function ( $oldValue, &$ttl, array &$setOpts ) use ( $that, $title ) {
207 $dbr = $that->getSlaveDB(); // possibly remote DB
209 $setOpts += Database::getCacheSetOptions( $dbr );
211 if ( $title instanceof Title ) {
212 $row = $dbr->selectRow(
213 [ 'page', 'redirect' ],
214 [ 'rd_namespace', 'rd_title' ],
216 'page_namespace' => $title->getNamespace(),
217 'page_title' => $title->getDBkey(),
218 'rd_from = page_id'
220 __METHOD__
222 } else {
223 $row = false;
226 return ( $row && $row->rd_namespace == NS_FILE )
227 ? Title::makeTitle( $row->rd_namespace, $row->rd_title )->getDBkey()
228 : ''; // negative cache
230 [ 'pcTTL' => WANObjectCache::TTL_PROC_LONG ]
233 // @note: also checks " " for b/c
234 if ( $redirDbKey !== ' ' && strval( $redirDbKey ) !== '' ) {
235 // Page is a redirect to another file
236 return Title::newFromText( $redirDbKey, NS_FILE );
239 return false; // no redirect
242 public function findFiles( array $items, $flags = 0 ) {
243 $finalFiles = []; // map of (DB key => corresponding File) for matches
245 $searchSet = []; // map of (normalized DB key => search params)
246 foreach ( $items as $item ) {
247 if ( is_array( $item ) ) {
248 $title = File::normalizeTitle( $item['title'] );
249 if ( $title ) {
250 $searchSet[$title->getDBkey()] = $item;
252 } else {
253 $title = File::normalizeTitle( $item );
254 if ( $title ) {
255 $searchSet[$title->getDBkey()] = [];
260 $fileMatchesSearch = function ( File $file, array $search ) {
261 // Note: file name comparison done elsewhere (to handle redirects)
262 $user = ( !empty( $search['private'] ) && $search['private'] instanceof User )
263 ? $search['private']
264 : null;
266 return (
267 $file->exists() &&
269 ( empty( $search['time'] ) && !$file->isOld() ) ||
270 ( !empty( $search['time'] ) && $search['time'] === $file->getTimestamp() )
271 ) &&
272 ( !empty( $search['private'] ) || !$file->isDeleted( File::DELETED_FILE ) ) &&
273 $file->userCan( File::DELETED_FILE, $user )
277 $that = $this;
278 $applyMatchingFiles = function ( ResultWrapper $res, &$searchSet, &$finalFiles )
279 use ( $that, $fileMatchesSearch, $flags )
281 global $wgContLang;
282 $info = $that->getInfo();
283 foreach ( $res as $row ) {
284 $file = $that->newFileFromRow( $row );
285 // There must have been a search for this DB key, but this has to handle the
286 // cases were title capitalization is different on the client and repo wikis.
287 $dbKeysLook = [ strtr( $file->getName(), ' ', '_' ) ];
288 if ( !empty( $info['initialCapital'] ) ) {
289 // Search keys for "hi.png" and "Hi.png" should use the "Hi.png file"
290 $dbKeysLook[] = $wgContLang->lcfirst( $file->getName() );
292 foreach ( $dbKeysLook as $dbKey ) {
293 if ( isset( $searchSet[$dbKey] )
294 && $fileMatchesSearch( $file, $searchSet[$dbKey] )
296 $finalFiles[$dbKey] = ( $flags & FileRepo::NAME_AND_TIME_ONLY )
297 ? [ 'title' => $dbKey, 'timestamp' => $file->getTimestamp() ]
298 : $file;
299 unset( $searchSet[$dbKey] );
305 $dbr = $this->getSlaveDB();
307 // Query image table
308 $imgNames = [];
309 foreach ( array_keys( $searchSet ) as $dbKey ) {
310 $imgNames[] = $this->getNameFromTitle( File::normalizeTitle( $dbKey ) );
313 if ( count( $imgNames ) ) {
314 $res = $dbr->select( 'image',
315 LocalFile::selectFields(), [ 'img_name' => $imgNames ], __METHOD__ );
316 $applyMatchingFiles( $res, $searchSet, $finalFiles );
319 // Query old image table
320 $oiConds = []; // WHERE clause array for each file
321 foreach ( $searchSet as $dbKey => $search ) {
322 if ( isset( $search['time'] ) ) {
323 $oiConds[] = $dbr->makeList(
325 'oi_name' => $this->getNameFromTitle( File::normalizeTitle( $dbKey ) ),
326 'oi_timestamp' => $dbr->timestamp( $search['time'] )
328 LIST_AND
333 if ( count( $oiConds ) ) {
334 $res = $dbr->select( 'oldimage',
335 OldLocalFile::selectFields(), $dbr->makeList( $oiConds, LIST_OR ), __METHOD__ );
336 $applyMatchingFiles( $res, $searchSet, $finalFiles );
339 // Check for redirects...
340 foreach ( $searchSet as $dbKey => $search ) {
341 if ( !empty( $search['ignoreRedirect'] ) ) {
342 continue;
345 $title = File::normalizeTitle( $dbKey );
346 $redir = $this->checkRedirect( $title ); // hopefully hits memcached
348 if ( $redir && $redir->getNamespace() == NS_FILE ) {
349 $file = $this->newFile( $redir );
350 if ( $file && $fileMatchesSearch( $file, $search ) ) {
351 $file->redirectedFrom( $title->getDBkey() );
352 if ( $flags & FileRepo::NAME_AND_TIME_ONLY ) {
353 $finalFiles[$dbKey] = [
354 'title' => $file->getTitle()->getDBkey(),
355 'timestamp' => $file->getTimestamp()
357 } else {
358 $finalFiles[$dbKey] = $file;
364 return $finalFiles;
368 * Get an array or iterator of file objects for files that have a given
369 * SHA-1 content hash.
371 * @param string $hash A sha1 hash to look for
372 * @return File[]
374 function findBySha1( $hash ) {
375 $dbr = $this->getSlaveDB();
376 $res = $dbr->select(
377 'image',
378 LocalFile::selectFields(),
379 [ 'img_sha1' => $hash ],
380 __METHOD__,
381 [ 'ORDER BY' => 'img_name' ]
384 $result = [];
385 foreach ( $res as $row ) {
386 $result[] = $this->newFileFromRow( $row );
388 $res->free();
390 return $result;
394 * Get an array of arrays or iterators of file objects for files that
395 * have the given SHA-1 content hashes.
397 * Overrides generic implementation in FileRepo for performance reason
399 * @param array $hashes An array of hashes
400 * @return array An Array of arrays or iterators of file objects and the hash as key
402 function findBySha1s( array $hashes ) {
403 if ( !count( $hashes ) ) {
404 return []; // empty parameter
407 $dbr = $this->getSlaveDB();
408 $res = $dbr->select(
409 'image',
410 LocalFile::selectFields(),
411 [ 'img_sha1' => $hashes ],
412 __METHOD__,
413 [ 'ORDER BY' => 'img_name' ]
416 $result = [];
417 foreach ( $res as $row ) {
418 $file = $this->newFileFromRow( $row );
419 $result[$file->getSha1()][] = $file;
421 $res->free();
423 return $result;
427 * Return an array of files where the name starts with $prefix.
429 * @param string $prefix The prefix to search for
430 * @param int $limit The maximum amount of files to return
431 * @return array
433 public function findFilesByPrefix( $prefix, $limit ) {
434 $selectOptions = [ 'ORDER BY' => 'img_name', 'LIMIT' => intval( $limit ) ];
436 // Query database
437 $dbr = $this->getSlaveDB();
438 $res = $dbr->select(
439 'image',
440 LocalFile::selectFields(),
441 'img_name ' . $dbr->buildLike( $prefix, $dbr->anyString() ),
442 __METHOD__,
443 $selectOptions
446 // Build file objects
447 $files = [];
448 foreach ( $res as $row ) {
449 $files[] = $this->newFileFromRow( $row );
452 return $files;
456 * Get a connection to the slave DB
457 * @return DatabaseBase
459 function getSlaveDB() {
460 return wfGetDB( DB_SLAVE );
464 * Get a connection to the master DB
465 * @return DatabaseBase
467 function getMasterDB() {
468 return wfGetDB( DB_MASTER );
472 * Get a callback to get a DB handle given an index (DB_SLAVE/DB_MASTER)
473 * @return Closure
475 protected function getDBFactory() {
476 return function( $index ) {
477 return wfGetDB( $index );
482 * Get a key on the primary cache for this repository.
483 * Returns false if the repository's cache is not accessible at this site.
484 * The parameters are the parts of the key, as for wfMemcKey().
486 * @return string
488 function getSharedCacheKey( /*...*/ ) {
489 $args = func_get_args();
491 return call_user_func_array( 'wfMemcKey', $args );
495 * Invalidates image redirect cache related to that image
497 * @param Title $title Title of page
498 * @return void
500 function invalidateImageRedirect( Title $title ) {
501 $key = $this->getSharedCacheKey( 'image_redirect', md5( $title->getDBkey() ) );
502 if ( $key ) {
503 $this->getMasterDB()->onTransactionPreCommitOrIdle( function() use ( $key ) {
504 ObjectCache::getMainWANInstance()->delete( $key );
505 } );
510 * Return information about the repository.
512 * @return array
513 * @since 1.22
515 function getInfo() {
516 global $wgFavicon;
518 return array_merge( parent::getInfo(), [
519 'favicon' => wfExpandUrl( $wgFavicon ),
520 ] );
523 public function store( $srcPath, $dstZone, $dstRel, $flags = 0 ) {
524 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
527 public function storeBatch( array $triplets, $flags = 0 ) {
528 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
531 public function cleanupBatch( array $files, $flags = 0 ) {
532 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
535 public function publish(
536 $src,
537 $dstRel,
538 $archiveRel,
539 $flags = 0,
540 array $options = []
542 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
545 public function publishBatch( array $ntuples, $flags = 0 ) {
546 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
549 public function delete( $srcRel, $archiveRel ) {
550 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
553 public function deleteBatch( array $sourceDestPairs ) {
554 return $this->skipWriteOperationIfSha1( __FUNCTION__, func_get_args() );
558 * Skips the write operation if storage is sha1-based, executes it normally otherwise
560 * @param string $function
561 * @param array $args
562 * @return FileRepoStatus
564 protected function skipWriteOperationIfSha1( $function, array $args ) {
565 $this->assertWritableRepo(); // fail out if read-only
567 if ( $this->hasSha1Storage() ) {
568 wfDebug( __METHOD__ . ": skipped because storage uses sha1 paths\n" );
569 return Status::newGood();
570 } else {
571 return call_user_func_array( 'parent::' . $function, $args );