MediaWiki REL1_38
FileRepo.php
Go to the documentation of this file.
1<?php
15use Wikimedia\AtEase\AtEase;
16
46class FileRepo {
47 public const DELETE_SOURCE = 1;
48 public const OVERWRITE = 2;
49 public const OVERWRITE_SAME = 4;
50 public const SKIP_LOCKING = 8;
51
52 public const NAME_AND_TIME_ONLY = 1;
53
58
61
63 protected $hasSha1Storage = false;
64
66 protected $supportsSha1URLs = false;
67
69 protected $backend;
70
72 protected $zones = [];
73
75 protected $thumbScriptUrl;
76
81
85 protected $descBaseUrl;
86
90 protected $scriptDirUrl;
91
93 protected $articleUrl;
94
101
107 protected $pathDisclosureProtection = 'simple';
108
110 protected $url;
111
113 protected $thumbUrl;
114
116 protected $hashLevels;
117
120
126
128 protected $favicon = null;
129
131 protected $isPrivate;
132
134 protected $fileFactory = [ UnregisteredLocalFile::class, 'newFromTitle' ];
136 protected $oldFileFactory = false;
138 protected $fileFactoryKey = false;
140 protected $oldFileFactoryKey = false;
141
145 protected $thumbProxyUrl;
148
150 protected $disableLocalTransform = false;
151
153 protected $wanCache;
154
160 public $name;
161
168 public function __construct( array $info = null ) {
169 // Verify required settings presence
170 if (
171 $info === null
172 || !array_key_exists( 'name', $info )
173 || !array_key_exists( 'backend', $info )
174 ) {
175 throw new MWException( __CLASS__ .
176 " requires an array of options having both 'name' and 'backend' keys.\n" );
177 }
178
179 // Required settings
180 $this->name = $info['name'];
181 if ( $info['backend'] instanceof FileBackend ) {
182 $this->backend = $info['backend']; // useful for testing
183 } else {
184 $this->backend =
185 MediaWikiServices::getInstance()->getFileBackendGroup()->get( $info['backend'] );
186 }
187
188 // Optional settings that can have no value
189 $optionalSettings = [
190 'descBaseUrl', 'scriptDirUrl', 'articleUrl', 'fetchDescription',
191 'thumbScriptUrl', 'pathDisclosureProtection', 'descriptionCacheExpiry',
192 'favicon', 'thumbProxyUrl', 'thumbProxySecret', 'disableLocalTransform'
193 ];
194 foreach ( $optionalSettings as $var ) {
195 if ( isset( $info[$var] ) ) {
196 $this->$var = $info[$var];
197 }
198 }
199
200 // Optional settings that have a default
201 $localCapitalLinks =
202 MediaWikiServices::getInstance()->getNamespaceInfo()->isCapitalized( NS_FILE );
203 $this->initialCapital = $info['initialCapital'] ?? $localCapitalLinks;
204 if ( $localCapitalLinks && !$this->initialCapital ) {
205 // If the local wiki's file namespace requires an initial capital, but a foreign file
206 // repo doesn't, complications will result. Linker code will want to auto-capitalize the
207 // first letter of links to files, but those links might actually point to files on
208 // foreign wikis with initial-lowercase names. This combination is not likely to be
209 // used by anyone anyway, so we just outlaw it to save ourselves the bugs. If you want
210 // to include a foreign file repo with initialCapital false, set your local file
211 // namespace to not be capitalized either.
212 throw new InvalidArgumentException(
213 'File repos with initial capital false are not allowed on wikis where the File ' .
214 'namespace has initial capital true' );
215 }
216
217 $this->url = $info['url'] ?? false; // a subclass may set the URL (e.g. ForeignAPIRepo)
218 if ( isset( $info['thumbUrl'] ) ) {
219 $this->thumbUrl = $info['thumbUrl'];
220 } else {
221 $this->thumbUrl = $this->url ? "{$this->url}/thumb" : false;
222 }
223 $this->hashLevels = $info['hashLevels'] ?? 2;
224 $this->deletedHashLevels = $info['deletedHashLevels'] ?? $this->hashLevels;
225 $this->transformVia404 = !empty( $info['transformVia404'] );
226 $this->abbrvThreshold = $info['abbrvThreshold'] ?? 255;
227 $this->isPrivate = !empty( $info['isPrivate'] );
228 // Give defaults for the basic zones...
229 $this->zones = $info['zones'] ?? [];
230 foreach ( [ 'public', 'thumb', 'transcoded', 'temp', 'deleted' ] as $zone ) {
231 if ( !isset( $this->zones[$zone]['container'] ) ) {
232 $this->zones[$zone]['container'] = "{$this->name}-{$zone}";
233 }
234 if ( !isset( $this->zones[$zone]['directory'] ) ) {
235 $this->zones[$zone]['directory'] = '';
236 }
237 if ( !isset( $this->zones[$zone]['urlsByExt'] ) ) {
238 $this->zones[$zone]['urlsByExt'] = [];
239 }
240 }
241
242 $this->supportsSha1URLs = !empty( $info['supportsSha1URLs'] );
243
244 $this->wanCache = $info['wanCache'] ?? WANObjectCache::newEmpty();
245 }
246
252 public function getBackend() {
253 return $this->backend;
254 }
255
262 public function getReadOnlyReason() {
263 return $this->backend->getReadOnlyReason();
264 }
265
272 protected function initZones( $doZones = [] ): void {
273 foreach ( (array)$doZones as $zone ) {
274 $root = $this->getZonePath( $zone );
275 if ( $root === null ) {
276 throw new MWException( "No '$zone' zone defined in the {$this->name} repo." );
277 }
278 }
279 }
280
287 public static function isVirtualUrl( $url ) {
288 return substr( $url, 0, 9 ) == 'mwrepo://';
289 }
290
299 public function getVirtualUrl( $suffix = false ) {
300 $path = 'mwrepo://' . $this->name;
301 if ( $suffix !== false ) {
302 $path .= '/' . rawurlencode( $suffix );
303 }
304
305 return $path;
306 }
307
315 public function getZoneUrl( $zone, $ext = null ) {
316 if ( in_array( $zone, [ 'public', 'thumb', 'transcoded' ] ) ) {
317 // standard public zones
318 if ( $ext !== null && isset( $this->zones[$zone]['urlsByExt'][$ext] ) ) {
319 // custom URL for extension/zone
320 // @phan-suppress-next-line PhanTypeArraySuspiciousNullable
321 return $this->zones[$zone]['urlsByExt'][$ext];
322 } elseif ( isset( $this->zones[$zone]['url'] ) ) {
323 // custom URL for zone
324 return $this->zones[$zone]['url'];
325 }
326 }
327 switch ( $zone ) {
328 case 'public':
329 return $this->url;
330 case 'temp':
331 case 'deleted':
332 return false; // no public URL
333 case 'thumb':
334 return $this->thumbUrl;
335 case 'transcoded':
336 return "{$this->url}/transcoded";
337 default:
338 return false;
339 }
340 }
341
345 public function backendSupportsUnicodePaths() {
346 return (bool)( $this->getBackend()->getFeatures() & FileBackend::ATTR_UNICODE_PATHS );
347 }
348
357 public function resolveVirtualUrl( $url ) {
358 if ( substr( $url, 0, 9 ) != 'mwrepo://' ) {
359 throw new MWException( __METHOD__ . ': unknown protocol' );
360 }
361 $bits = explode( '/', substr( $url, 9 ), 3 );
362 if ( count( $bits ) != 3 ) {
363 throw new MWException( __METHOD__ . ": invalid mwrepo URL: $url" );
364 }
365 list( $repo, $zone, $rel ) = $bits;
366 if ( $repo !== $this->name ) {
367 throw new MWException( __METHOD__ . ": fetching from a foreign repo is not supported" );
368 }
369 $base = $this->getZonePath( $zone );
370 if ( !$base ) {
371 throw new MWException( __METHOD__ . ": invalid zone: $zone" );
372 }
373
374 return $base . '/' . rawurldecode( $rel );
375 }
376
383 protected function getZoneLocation( $zone ) {
384 if ( !isset( $this->zones[$zone] ) ) {
385 return [ null, null ]; // bogus
386 }
387
388 return [ $this->zones[$zone]['container'], $this->zones[$zone]['directory'] ];
389 }
390
397 public function getZonePath( $zone ) {
398 list( $container, $base ) = $this->getZoneLocation( $zone );
399 if ( $container === null || $base === null ) {
400 return null;
401 }
402 $backendName = $this->backend->getName();
403 if ( $base != '' ) { // may not be set
404 $base = "/{$base}";
405 }
406
407 return "mwstore://$backendName/{$container}{$base}";
408 }
409
421 public function newFile( $title, $time = false ) {
422 $title = File::normalizeTitle( $title );
423 if ( !$title ) {
424 return null;
425 }
426 if ( $time ) {
427 if ( $this->oldFileFactory ) {
428 return call_user_func( $this->oldFileFactory, $title, $this, $time );
429 } else {
430 return null;
431 }
432 } else {
433 return call_user_func( $this->fileFactory, $title, $this );
434 }
435 }
436
456 public function findFile( $title, $options = [] ) {
457 if ( !empty( $options['private'] ) && !( $options['private'] instanceof Authority ) ) {
458 throw new InvalidArgumentException(
459 __METHOD__ . ' called with the `private` option set to something ' .
460 'other than an Authority object'
461 );
462 }
463
464 $title = File::normalizeTitle( $title );
465 if ( !$title ) {
466 return false;
467 }
468 if ( isset( $options['bypassCache'] ) ) {
469 $options['latest'] = $options['bypassCache']; // b/c
470 }
471 $time = $options['time'] ?? false;
472 $flags = !empty( $options['latest'] ) ? File::READ_LATEST : 0;
473 # First try the current version of the file to see if it precedes the timestamp
474 $img = $this->newFile( $title );
475 if ( !$img ) {
476 return false;
477 }
478 $img->load( $flags );
479 if ( $img->exists() && ( !$time || $img->getTimestamp() == $time ) ) {
480 return $img;
481 }
482 # Now try an old version of the file
483 if ( $time !== false ) {
484 $img = $this->newFile( $title, $time );
485 if ( $img ) {
486 $img->load( $flags );
487 if ( $img->exists() ) {
488 if ( !$img->isDeleted( File::DELETED_FILE ) ) {
489 return $img; // always OK
490 } elseif (
491 // If its not empty, its an Authority object
492 !empty( $options['private'] ) &&
493 $img->userCan( File::DELETED_FILE, $options['private'] )
494 ) {
495 return $img;
496 }
497 }
498 }
499 }
500
501 # Now try redirects
502 if ( !empty( $options['ignoreRedirect'] ) ) {
503 return false;
504 }
505 $redir = $this->checkRedirect( $title );
506 if ( $redir && $title->getNamespace() === NS_FILE ) {
507 $img = $this->newFile( $redir );
508 if ( !$img ) {
509 return false;
510 }
511 $img->load( $flags );
512 if ( $img->exists() ) {
513 $img->redirectedFrom( $title->getDBkey() );
514
515 return $img;
516 }
517 }
518
519 return false;
520 }
521
539 public function findFiles( array $items, $flags = 0 ) {
540 $result = [];
541 foreach ( $items as $item ) {
542 if ( is_array( $item ) ) {
543 $title = $item['title'];
544 $options = $item;
545 unset( $options['title'] );
546
547 if (
548 !empty( $options['private'] ) &&
549 !( $options['private'] instanceof Authority )
550 ) {
551 $options['private'] = RequestContext::getMain()->getAuthority();
552 }
553 } else {
554 $title = $item;
555 $options = [];
556 }
557 $file = $this->findFile( $title, $options );
558 if ( $file ) {
559 $searchName = File::normalizeTitle( $title )->getDBkey(); // must be valid
560 if ( $flags & self::NAME_AND_TIME_ONLY ) {
561 $result[$searchName] = [
562 'title' => $file->getTitle()->getDBkey(),
563 'timestamp' => $file->getTimestamp()
564 ];
565 } else {
566 $result[$searchName] = $file;
567 }
568 }
569 }
570
571 return $result;
572 }
573
584 public function findFileFromKey( $sha1, $options = [] ) {
585 if ( !empty( $options['private'] ) && !( $options['private'] instanceof Authority ) ) {
586 throw new InvalidArgumentException(
587 __METHOD__ . ' called with the `private` option set to something ' .
588 'other than an Authority object'
589 );
590 }
591
592 $time = $options['time'] ?? false;
593 # First try to find a matching current version of a file...
594 if ( !$this->fileFactoryKey ) {
595 return false; // find-by-sha1 not supported
596 }
597 $img = call_user_func( $this->fileFactoryKey, $sha1, $this, $time );
598 if ( $img && $img->exists() ) {
599 return $img;
600 }
601 # Now try to find a matching old version of a file...
602 if ( $time !== false && $this->oldFileFactoryKey ) { // find-by-sha1 supported?
603 $img = call_user_func( $this->oldFileFactoryKey, $sha1, $this, $time );
604 if ( $img && $img->exists() ) {
605 if ( !$img->isDeleted( File::DELETED_FILE ) ) {
606 return $img; // always OK
607 } elseif (
608 // If its not empty, its an Authority object
609 !empty( $options['private'] ) &&
610 $img->userCan( File::DELETED_FILE, $options['private'] )
611 ) {
612 return $img;
613 }
614 }
615 }
616
617 return false;
618 }
619
628 public function findBySha1( $hash ) {
629 return [];
630 }
631
639 public function findBySha1s( array $hashes ) {
640 $result = [];
641 foreach ( $hashes as $hash ) {
642 $files = $this->findBySha1( $hash );
643 if ( count( $files ) ) {
644 $result[$hash] = $files;
645 }
646 }
647
648 return $result;
649 }
650
659 public function findFilesByPrefix( $prefix, $limit ) {
660 return [];
661 }
662
668 public function getThumbScriptUrl() {
669 return $this->thumbScriptUrl;
670 }
671
677 public function getThumbProxyUrl() {
678 return $this->thumbProxyUrl;
679 }
680
686 public function getThumbProxySecret() {
687 return $this->thumbProxySecret;
688 }
689
695 public function canTransformVia404() {
696 return $this->transformVia404;
697 }
698
705 public function canTransformLocally() {
706 return !$this->disableLocalTransform;
707 }
708
715 public function getNameFromTitle( $title ) {
716 if (
717 $this->initialCapital !=
718 MediaWikiServices::getInstance()->getNamespaceInfo()->isCapitalized( NS_FILE )
719 ) {
720 $name = $title->getDBkey();
721 if ( $this->initialCapital ) {
722 $name = MediaWikiServices::getInstance()->getContentLanguage()->ucfirst( $name );
723 }
724 } else {
725 $name = $title->getDBkey();
726 }
727
728 return $name;
729 }
730
736 public function getRootDirectory() {
737 return $this->getZonePath( 'public' );
738 }
739
747 public function getHashPath( $name ) {
748 return self::getHashPathForLevel( $name, $this->hashLevels );
749 }
750
758 public function getTempHashPath( $suffix ) {
759 $parts = explode( '!', $suffix, 2 ); // format is <timestamp>!<name> or just <name>
760 $name = $parts[1] ?? $suffix; // hash path is not based on timestamp
761 return self::getHashPathForLevel( $name, $this->hashLevels );
762 }
763
769 protected static function getHashPathForLevel( $name, $levels ) {
770 if ( $levels == 0 ) {
771 return '';
772 } else {
773 $hash = md5( $name );
774 $path = '';
775 for ( $i = 1; $i <= $levels; $i++ ) {
776 $path .= substr( $hash, 0, $i ) . '/';
777 }
778
779 return $path;
780 }
781 }
782
788 public function getHashLevels() {
789 return $this->hashLevels;
790 }
791
797 public function getName() {
798 return $this->name;
799 }
800
808 public function makeUrl( $query = '', $entry = 'index' ) {
809 if ( isset( $this->scriptDirUrl ) ) {
810 return wfAppendQuery( "{$this->scriptDirUrl}/{$entry}.php", $query );
811 }
812
813 return false;
814 }
815
828 public function getDescriptionUrl( $name ) {
829 $encName = wfUrlencode( $name );
830 if ( $this->descBaseUrl !== null ) {
831 # "http://example.com/wiki/File:"
832 return $this->descBaseUrl . $encName;
833 }
834 if ( $this->articleUrl !== null ) {
835 # "http://example.com/wiki/$1"
836 # We use "Image:" as the canonical namespace for
837 # compatibility across all MediaWiki versions.
838 return str_replace( '$1',
839 "Image:$encName", $this->articleUrl );
840 }
841 if ( $this->scriptDirUrl !== null ) {
842 # "http://example.com/w"
843 # We use "Image:" as the canonical namespace for
844 # compatibility across all MediaWiki versions,
845 # and just sort of hope index.php is right. ;)
846 return $this->makeUrl( "title=Image:$encName" );
847 }
848
849 return false;
850 }
851
862 public function getDescriptionRenderUrl( $name, $lang = null ) {
863 $query = 'action=render';
864 if ( $lang !== null ) {
865 $query .= '&uselang=' . urlencode( $lang );
866 }
867 if ( isset( $this->scriptDirUrl ) ) {
868 return $this->makeUrl(
869 'title=' .
870 wfUrlencode( 'Image:' . $name ) .
871 "&$query" );
872 } else {
873 $descUrl = $this->getDescriptionUrl( $name );
874 if ( $descUrl ) {
875 return wfAppendQuery( $descUrl, $query );
876 } else {
877 return false;
878 }
879 }
880 }
881
887 public function getDescriptionStylesheetUrl() {
888 if ( isset( $this->scriptDirUrl ) ) {
889 // Must match canonical query parameter order for optimum caching
890 // See HtmlCacheUpdater::getUrls
891 return $this->makeUrl( 'title=MediaWiki:Filepage.css&action=raw&ctype=text/css' );
892 }
893
894 return false;
895 }
896
914 public function store( $srcPath, $dstZone, $dstRel, $flags = 0 ) {
915 $this->assertWritableRepo(); // fail out if read-only
916
917 $status = $this->storeBatch( [ [ $srcPath, $dstZone, $dstRel ] ], $flags );
918 if ( $status->successCount == 0 ) {
919 $status->setOK( false );
920 }
921
922 return $status;
923 }
924
939 public function storeBatch( array $triplets, $flags = 0 ) {
940 $this->assertWritableRepo(); // fail out if read-only
941
942 if ( $flags & self::DELETE_SOURCE ) {
943 throw new InvalidArgumentException( "DELETE_SOURCE not supported in " . __METHOD__ );
944 }
945
946 $status = $this->newGood();
947 $backend = $this->backend; // convenience
948
949 $operations = [];
950 // Validate each triplet and get the store operation...
951 foreach ( $triplets as $triplet ) {
952 list( $src, $dstZone, $dstRel ) = $triplet;
953 $srcPath = ( $src instanceof FSFile ) ? $src->getPath() : $src;
954 wfDebug( __METHOD__
955 . "( \$src='$srcPath', \$dstZone='$dstZone', \$dstRel='$dstRel' )"
956 );
957 // Resolve source path
958 if ( $src instanceof FSFile ) {
959 $op = 'store';
960 } else {
961 $src = $this->resolveToStoragePathIfVirtual( $src );
962 $op = FileBackend::isStoragePath( $src ) ? 'copy' : 'store';
963 }
964 // Resolve destination path
965 $root = $this->getZonePath( $dstZone );
966 if ( !$root ) {
967 throw new MWException( "Invalid zone: $dstZone" );
968 }
969 if ( !$this->validateFilename( $dstRel ) ) {
970 throw new MWException( 'Validation error in $dstRel' );
971 }
972 $dstPath = "$root/$dstRel";
973 $dstDir = dirname( $dstPath );
974 // Create destination directories for this triplet
975 if ( !$this->initDirectory( $dstDir )->isOK() ) {
976 return $this->newFatal( 'directorycreateerror', $dstDir );
977 }
978
979 // Copy the source file to the destination
980 $operations[] = [
981 'op' => $op,
982 'src' => $src, // storage path (copy) or local file path (store)
983 'dst' => $dstPath,
984 'overwrite' => ( $flags & self::OVERWRITE ) ? true : false,
985 'overwriteSame' => ( $flags & self::OVERWRITE_SAME ) ? true : false,
986 ];
987 }
988
989 // Execute the store operation for each triplet
990 $opts = [ 'force' => true ];
991 if ( $flags & self::SKIP_LOCKING ) {
992 $opts['nonLocking'] = true;
993 }
994
995 return $status->merge( $backend->doOperations( $operations, $opts ) );
996 }
997
1008 public function cleanupBatch( array $files, $flags = 0 ) {
1009 $this->assertWritableRepo(); // fail out if read-only
1010
1011 $status = $this->newGood();
1012
1013 $operations = [];
1014 foreach ( $files as $path ) {
1015 if ( is_array( $path ) ) {
1016 // This is a pair, extract it
1017 list( $zone, $rel ) = $path;
1018 $path = $this->getZonePath( $zone ) . "/$rel";
1019 } else {
1020 // Resolve source to a storage path if virtual
1021 $path = $this->resolveToStoragePathIfVirtual( $path );
1022 }
1023 $operations[] = [ 'op' => 'delete', 'src' => $path ];
1024 }
1025 // Actually delete files from storage...
1026 $opts = [ 'force' => true ];
1027 if ( $flags & self::SKIP_LOCKING ) {
1028 $opts['nonLocking'] = true;
1029 }
1030
1031 return $status->merge( $this->backend->doOperations( $operations, $opts ) );
1032 }
1033
1051 final public function quickImport( $src, $dst, $options = null ) {
1052 return $this->quickImportBatch( [ [ $src, $dst, $options ] ] );
1053 }
1054
1069 public function quickImportBatch( array $triples ) {
1070 $status = $this->newGood();
1071 $operations = [];
1072 foreach ( $triples as $triple ) {
1073 list( $src, $dst ) = $triple;
1074 if ( $src instanceof FSFile ) {
1075 $op = 'store';
1076 } else {
1077 $src = $this->resolveToStoragePathIfVirtual( $src );
1078 $op = FileBackend::isStoragePath( $src ) ? 'copy' : 'store';
1079 }
1080 $dst = $this->resolveToStoragePathIfVirtual( $dst );
1081
1082 if ( !isset( $triple[2] ) ) {
1083 $headers = [];
1084 } elseif ( is_string( $triple[2] ) ) {
1085 // back-compat
1086 $headers = [ 'Content-Disposition' => $triple[2] ];
1087 } elseif ( is_array( $triple[2] ) && isset( $triple[2]['headers'] ) ) {
1088 $headers = $triple[2]['headers'];
1089 } else {
1090 $headers = [];
1091 }
1092
1093 $operations[] = [
1094 'op' => $op,
1095 'src' => $src, // storage path (copy) or local path/FSFile (store)
1096 'dst' => $dst,
1097 'headers' => $headers
1098 ];
1099 $status->merge( $this->initDirectory( dirname( $dst ) ) );
1100 }
1101
1102 return $status->merge( $this->backend->doQuickOperations( $operations ) );
1103 }
1104
1113 final public function quickPurge( $path ) {
1114 return $this->quickPurgeBatch( [ $path ] );
1115 }
1116
1124 public function quickCleanDir( $dir ) {
1125 return $this->newGood()->merge(
1126 $this->backend->clean(
1127 [ 'dir' => $this->resolveToStoragePathIfVirtual( $dir ) ]
1128 )
1129 );
1130 }
1131
1140 public function quickPurgeBatch( array $paths ) {
1141 $status = $this->newGood();
1142 $operations = [];
1143 foreach ( $paths as $path ) {
1144 $operations[] = [
1145 'op' => 'delete',
1146 'src' => $this->resolveToStoragePathIfVirtual( $path ),
1147 'ignoreMissingSource' => true
1148 ];
1149 }
1150 $status->merge( $this->backend->doQuickOperations( $operations ) );
1151
1152 return $status;
1153 }
1154
1165 public function storeTemp( $originalName, $srcPath ) {
1166 $this->assertWritableRepo(); // fail out if read-only
1167
1168 $date = MWTimestamp::getInstance()->format( 'YmdHis' );
1169 $hashPath = $this->getHashPath( $originalName );
1170 $dstUrlRel = $hashPath . $date . '!' . rawurlencode( $originalName );
1171 $virtualUrl = $this->getVirtualUrl( 'temp' ) . '/' . $dstUrlRel;
1172
1173 $result = $this->quickImport( $srcPath, $virtualUrl );
1174 $result->value = $virtualUrl;
1175
1176 return $result;
1177 }
1178
1185 public function freeTemp( $virtualUrl ) {
1186 $this->assertWritableRepo(); // fail out if read-only
1187
1188 $temp = $this->getVirtualUrl( 'temp' );
1189 if ( substr( $virtualUrl, 0, strlen( $temp ) ) != $temp ) {
1190 wfDebug( __METHOD__ . ": Invalid temp virtual URL" );
1191
1192 return false;
1193 }
1194
1195 return $this->quickPurge( $virtualUrl )->isOK();
1196 }
1197
1207 public function concatenate( array $srcPaths, $dstPath, $flags = 0 ) {
1208 $this->assertWritableRepo(); // fail out if read-only
1209
1210 $status = $this->newGood();
1211
1212 $sources = [];
1213 foreach ( $srcPaths as $srcPath ) {
1214 // Resolve source to a storage path if virtual
1215 $source = $this->resolveToStoragePathIfVirtual( $srcPath );
1216 $sources[] = $source; // chunk to merge
1217 }
1218
1219 // Concatenate the chunks into one FS file
1220 $params = [ 'srcs' => $sources, 'dst' => $dstPath ];
1221 $status->merge( $this->backend->concatenate( $params ) );
1222 if ( !$status->isOK() ) {
1223 return $status;
1224 }
1225
1226 // Delete the sources if required
1227 if ( $flags & self::DELETE_SOURCE ) {
1228 $status->merge( $this->quickPurgeBatch( $srcPaths ) );
1229 }
1230
1231 // Make sure status is OK, despite any quickPurgeBatch() fatals
1232 $status->setResult( true );
1233
1234 return $status;
1235 }
1236
1260 public function publish(
1261 $src, $dstRel, $archiveRel, $flags = 0, array $options = []
1262 ) {
1263 $this->assertWritableRepo(); // fail out if read-only
1264
1265 $status = $this->publishBatch(
1266 [ [ $src, $dstRel, $archiveRel, $options ] ], $flags );
1267 if ( $status->successCount == 0 ) {
1268 $status->setOK( false );
1269 }
1270 $status->value = $status->value[0] ?? false;
1271
1272 return $status;
1273 }
1274
1287 public function publishBatch( array $ntuples, $flags = 0 ) {
1288 $this->assertWritableRepo(); // fail out if read-only
1289
1290 $backend = $this->backend; // convenience
1291 // Try creating directories
1292 $this->initZones( 'public' );
1293
1294 $status = $this->newGood( [] );
1295
1296 $operations = [];
1297 $sourceFSFilesToDelete = []; // cleanup for disk source files
1298 // Validate each triplet and get the store operation...
1299 foreach ( $ntuples as $ntuple ) {
1300 list( $src, $dstRel, $archiveRel ) = $ntuple;
1301 $srcPath = ( $src instanceof FSFile ) ? $src->getPath() : $src;
1302
1303 $options = $ntuple[3] ?? [];
1304 // Resolve source to a storage path if virtual
1305 $srcPath = $this->resolveToStoragePathIfVirtual( $srcPath );
1306 if ( !$this->validateFilename( $dstRel ) ) {
1307 throw new MWException( 'Validation error in $dstRel' );
1308 }
1309 if ( !$this->validateFilename( $archiveRel ) ) {
1310 throw new MWException( 'Validation error in $archiveRel' );
1311 }
1312
1313 $publicRoot = $this->getZonePath( 'public' );
1314 $dstPath = "$publicRoot/$dstRel";
1315 $archivePath = "$publicRoot/$archiveRel";
1316
1317 $dstDir = dirname( $dstPath );
1318 $archiveDir = dirname( $archivePath );
1319 // Abort immediately on directory creation errors since they're likely to be repetitive
1320 if ( !$this->initDirectory( $dstDir )->isOK() ) {
1321 return $this->newFatal( 'directorycreateerror', $dstDir );
1322 }
1323 if ( !$this->initDirectory( $archiveDir )->isOK() ) {
1324 return $this->newFatal( 'directorycreateerror', $archiveDir );
1325 }
1326
1327 // Set any desired headers to be use in GET/HEAD responses
1328 $headers = $options['headers'] ?? [];
1329
1330 // Archive destination file if it exists.
1331 // This will check if the archive file also exists and fail if does.
1332 // This is a check to avoid data loss. On Windows and Linux,
1333 // copy() will overwrite, so the existence check is vulnerable to
1334 // race conditions unless a functioning LockManager is used.
1335 // LocalFile also uses SELECT FOR UPDATE for synchronization.
1336 $operations[] = [
1337 'op' => 'copy',
1338 'src' => $dstPath,
1339 'dst' => $archivePath,
1340 'ignoreMissingSource' => true
1341 ];
1342
1343 // Copy (or move) the source file to the destination
1344 if ( FileBackend::isStoragePath( $srcPath ) ) {
1345 $operations[] = [
1346 'op' => ( $flags & self::DELETE_SOURCE ) ? 'move' : 'copy',
1347 'src' => $srcPath,
1348 'dst' => $dstPath,
1349 'overwrite' => true, // replace current
1350 'headers' => $headers
1351 ];
1352 } else {
1353 $operations[] = [
1354 'op' => 'store',
1355 'src' => $src, // storage path (copy) or local path/FSFile (store)
1356 'dst' => $dstPath,
1357 'overwrite' => true, // replace current
1358 'headers' => $headers
1359 ];
1360 if ( $flags & self::DELETE_SOURCE ) {
1361 $sourceFSFilesToDelete[] = $srcPath;
1362 }
1363 }
1364 }
1365
1366 // Execute the operations for each triplet
1367 $status->merge( $backend->doOperations( $operations ) );
1368 // Find out which files were archived...
1369 foreach ( $ntuples as $i => $ntuple ) {
1370 list( , , $archiveRel ) = $ntuple;
1371 $archivePath = $this->getZonePath( 'public' ) . "/$archiveRel";
1372 if ( $this->fileExists( $archivePath ) ) {
1373 $status->value[$i] = 'archived';
1374 } else {
1375 $status->value[$i] = 'new';
1376 }
1377 }
1378 // Cleanup for disk source files...
1379 foreach ( $sourceFSFilesToDelete as $file ) {
1380 AtEase::suppressWarnings();
1381 unlink( $file ); // FS cleanup
1382 AtEase::restoreWarnings();
1383 }
1384
1385 return $status;
1386 }
1387
1395 protected function initDirectory( $dir ) {
1396 $path = $this->resolveToStoragePathIfVirtual( $dir );
1397 list( , $container, ) = FileBackend::splitStoragePath( $path );
1398
1399 $params = [ 'dir' => $path ];
1400 if ( $this->isPrivate
1401 || $container === $this->zones['deleted']['container']
1402 || $container === $this->zones['temp']['container']
1403 ) {
1404 # Take all available measures to prevent web accessibility of new deleted
1405 # directories, in case the user has not configured offline storage
1406 $params = [ 'noAccess' => true, 'noListing' => true ] + $params;
1407 }
1408
1409 return $this->newGood()->merge( $this->backend->prepare( $params ) );
1410 }
1411
1418 public function cleanDir( $dir ) {
1419 $this->assertWritableRepo(); // fail out if read-only
1420
1421 return $this->newGood()->merge(
1422 $this->backend->clean(
1423 [ 'dir' => $this->resolveToStoragePathIfVirtual( $dir ) ]
1424 )
1425 );
1426 }
1427
1434 public function fileExists( $file ) {
1435 $result = $this->fileExistsBatch( [ $file ] );
1436
1437 return $result[0];
1438 }
1439
1447 public function fileExistsBatch( array $files ) {
1448 $paths = array_map( [ $this, 'resolveToStoragePathIfVirtual' ], $files );
1449 $this->backend->preloadFileStat( [ 'srcs' => $paths ] );
1450
1451 $result = [];
1452 foreach ( $files as $key => $file ) {
1453 $path = $this->resolveToStoragePathIfVirtual( $file );
1454 $result[$key] = $this->backend->fileExists( [ 'src' => $path ] );
1455 }
1456
1457 return $result;
1458 }
1459
1470 public function delete( $srcRel, $archiveRel ) {
1471 $this->assertWritableRepo(); // fail out if read-only
1472
1473 return $this->deleteBatch( [ [ $srcRel, $archiveRel ] ] );
1474 }
1475
1493 public function deleteBatch( array $sourceDestPairs ) {
1494 $this->assertWritableRepo(); // fail out if read-only
1495
1496 // Try creating directories
1497 $this->initZones( [ 'public', 'deleted' ] );
1498
1499 $status = $this->newGood();
1500
1501 $backend = $this->backend; // convenience
1502 $operations = [];
1503 // Validate filenames and create archive directories
1504 foreach ( $sourceDestPairs as [ $srcRel, $archiveRel ] ) {
1505 if ( !$this->validateFilename( $srcRel ) ) {
1506 throw new MWException( __METHOD__ . ':Validation error in $srcRel' );
1507 } elseif ( !$this->validateFilename( $archiveRel ) ) {
1508 throw new MWException( __METHOD__ . ':Validation error in $archiveRel' );
1509 }
1510
1511 $publicRoot = $this->getZonePath( 'public' );
1512 $srcPath = "{$publicRoot}/$srcRel";
1513
1514 $deletedRoot = $this->getZonePath( 'deleted' );
1515 $archivePath = "{$deletedRoot}/{$archiveRel}";
1516 $archiveDir = dirname( $archivePath ); // does not touch FS
1517
1518 // Create destination directories
1519 if ( !$this->initDirectory( $archiveDir )->isGood() ) {
1520 return $this->newFatal( 'directorycreateerror', $archiveDir );
1521 }
1522
1523 $operations[] = [
1524 'op' => 'move',
1525 'src' => $srcPath,
1526 'dst' => $archivePath,
1527 // We may have 2+ identical files being deleted,
1528 // all of which will map to the same destination file
1529 'overwriteSame' => true // also see T33792
1530 ];
1531 }
1532
1533 // Move the files by execute the operations for each pair.
1534 // We're now committed to returning an OK result, which will
1535 // lead to the files being moved in the DB also.
1536 $opts = [ 'force' => true ];
1537 return $status->merge( $backend->doOperations( $operations, $opts ) );
1538 }
1539
1546 public function cleanupDeletedBatch( array $storageKeys ) {
1547 $this->assertWritableRepo();
1548 }
1549
1558 public function getDeletedHashPath( $key ) {
1559 if ( strlen( $key ) < 31 ) {
1560 throw new MWException( "Invalid storage key '$key'." );
1561 }
1562 $path = '';
1563 for ( $i = 0; $i < $this->deletedHashLevels; $i++ ) {
1564 $path .= $key[$i] . '/';
1565 }
1566
1567 return $path;
1568 }
1569
1578 protected function resolveToStoragePathIfVirtual( $path ) {
1579 if ( self::isVirtualUrl( $path ) ) {
1580 return $this->resolveVirtualUrl( $path );
1581 }
1582
1583 return $path;
1584 }
1585
1593 public function getLocalCopy( $virtualUrl ) {
1594 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1595
1596 return $this->backend->getLocalCopy( [ 'src' => $path ] );
1597 }
1598
1607 public function getLocalReference( $virtualUrl ) {
1608 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1609
1610 return $this->backend->getLocalReference( [ 'src' => $path ] );
1611 }
1612
1620 public function getFileProps( $virtualUrl ) {
1621 $fsFile = $this->getLocalReference( $virtualUrl );
1622 $mwProps = new MWFileProps( MediaWikiServices::getInstance()->getMimeAnalyzer() );
1623 if ( $fsFile ) {
1624 $props = $mwProps->getPropsFromPath( $fsFile->getPath(), true );
1625 } else {
1626 $props = $mwProps->newPlaceholderProps();
1627 }
1628
1629 return $props;
1630 }
1631
1638 public function getFileTimestamp( $virtualUrl ) {
1639 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1640
1641 return $this->backend->getFileTimestamp( [ 'src' => $path ] );
1642 }
1643
1650 public function getFileSize( $virtualUrl ) {
1651 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1652
1653 return $this->backend->getFileSize( [ 'src' => $path ] );
1654 }
1655
1662 public function getFileSha1( $virtualUrl ) {
1663 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1664
1665 return $this->backend->getFileSha1Base36( [ 'src' => $path ] );
1666 }
1667
1677 public function streamFileWithStatus( $virtualUrl, $headers = [], $optHeaders = [] ) {
1678 $path = $this->resolveToStoragePathIfVirtual( $virtualUrl );
1679 $params = [ 'src' => $path, 'headers' => $headers, 'options' => $optHeaders ];
1680
1681 // T172851: HHVM does not flush the output properly, causing OOM
1682 ob_start( null, 1048576 );
1683 ob_implicit_flush( true );
1684
1685 $status = $this->newGood()->merge( $this->backend->streamFile( $params ) );
1686
1687 // T186565: Close the buffer, unless it has already been closed
1688 // in HTTPFileStreamer::resetOutputBuffers().
1689 if ( ob_get_status() ) {
1690 ob_end_flush();
1691 }
1692
1693 return $status;
1694 }
1695
1704 public function enumFiles( $callback ) {
1705 $this->enumFilesInStorage( $callback );
1706 }
1707
1715 protected function enumFilesInStorage( $callback ) {
1716 $publicRoot = $this->getZonePath( 'public' );
1717 $numDirs = 1 << ( $this->hashLevels * 4 );
1718 // Use a priori assumptions about directory structure
1719 // to reduce the tree height of the scanning process.
1720 for ( $flatIndex = 0; $flatIndex < $numDirs; $flatIndex++ ) {
1721 $hexString = sprintf( "%0{$this->hashLevels}x", $flatIndex );
1722 $path = $publicRoot;
1723 for ( $hexPos = 0; $hexPos < $this->hashLevels; $hexPos++ ) {
1724 $path .= '/' . substr( $hexString, 0, $hexPos + 1 );
1725 }
1726 $iterator = $this->backend->getFileList( [ 'dir' => $path ] );
1727 if ( $iterator === null ) {
1728 throw new MWException( __METHOD__ . ': could not get file listing for ' . $path );
1729 }
1730 foreach ( $iterator as $name ) {
1731 // Each item returned is a public file
1732 call_user_func( $callback, "{$path}/{$name}" );
1733 }
1734 }
1735 }
1736
1743 public function validateFilename( $filename ) {
1744 if ( strval( $filename ) == '' ) {
1745 return false;
1746 }
1747
1748 return FileBackend::isPathTraversalFree( $filename );
1749 }
1750
1756 private function getErrorCleanupFunction() {
1757 switch ( $this->pathDisclosureProtection ) {
1758 case 'none':
1759 case 'simple': // b/c
1760 $callback = [ $this, 'passThrough' ];
1761 break;
1762 default: // 'paranoid'
1763 $callback = [ $this, 'paranoidClean' ];
1764 }
1765 return $callback;
1766 }
1767
1774 public function paranoidClean( $param ) {
1775 return '[hidden]';
1776 }
1777
1784 public function passThrough( $param ) {
1785 return $param;
1786 }
1787
1795 public function newFatal( $message, ...$parameters ) {
1796 $status = Status::newFatal( $message, ...$parameters );
1797 $status->cleanCallback = $this->getErrorCleanupFunction();
1798
1799 return $status;
1800 }
1801
1808 public function newGood( $value = null ) {
1809 $status = Status::newGood( $value );
1810 $status->cleanCallback = $this->getErrorCleanupFunction();
1811
1812 return $status;
1813 }
1814
1823 public function checkRedirect( $title ) {
1824 return false;
1825 }
1826
1834 public function invalidateImageRedirect( $title ) {
1835 }
1836
1842 public function getDisplayName() {
1843 $sitename = MediaWikiServices::getInstance()->getMainConfig()->get( 'Sitename' );
1844
1845 if ( $this->isLocal() ) {
1846 return $sitename;
1847 }
1848
1849 // 'shared-repo-name-wikimediacommons' is used when $wgUseInstantCommons = true
1850 return wfMessageFallback( 'shared-repo-name-' . $this->name, 'shared-repo' )->text();
1851 }
1852
1860 public function nameForThumb( $name ) {
1861 if ( strlen( $name ) > $this->abbrvThreshold ) {
1863 $name = ( $ext == '' ) ? 'thumbnail' : "thumbnail.$ext";
1864 }
1865
1866 return $name;
1867 }
1868
1874 public function isLocal() {
1875 return $this->getName() == 'local';
1876 }
1877
1889 public function getSharedCacheKey( $kClassSuffix, ...$components ) {
1890 return false;
1891 }
1892
1904 public function getLocalCacheKey( $kClassSuffix, ...$components ) {
1905 return $this->wanCache->makeKey(
1906 'filerepo-' . $kClassSuffix,
1907 $this->getName(),
1908 ...$components
1909 );
1910 }
1911
1920 public function getTempRepo() {
1921 return new TempFileRepo( [
1922 'name' => "{$this->name}-temp",
1923 'backend' => $this->backend,
1924 'zones' => [
1925 'public' => [
1926 // Same place storeTemp() uses in the base repo, though
1927 // the path hashing is mismatched, which is annoying.
1928 'container' => $this->zones['temp']['container'],
1929 'directory' => $this->zones['temp']['directory']
1930 ],
1931 'thumb' => [
1932 'container' => $this->zones['temp']['container'],
1933 'directory' => $this->zones['temp']['directory'] == ''
1934 ? 'thumb'
1935 : $this->zones['temp']['directory'] . '/thumb'
1936 ],
1937 'transcoded' => [
1938 'container' => $this->zones['temp']['container'],
1939 'directory' => $this->zones['temp']['directory'] == ''
1940 ? 'transcoded'
1941 : $this->zones['temp']['directory'] . '/transcoded'
1942 ]
1943 ],
1944 'hashLevels' => $this->hashLevels, // performance
1945 'isPrivate' => true // all in temp zone
1946 ] );
1947 }
1948
1955 public function getUploadStash( UserIdentity $user = null ) {
1956 return new UploadStash( $this, $user );
1957 }
1958
1966 protected function assertWritableRepo() {
1967 }
1968
1975 public function getInfo() {
1976 $ret = [
1977 'name' => $this->getName(),
1978 'displayname' => $this->getDisplayName(),
1979 'rootUrl' => $this->getZoneUrl( 'public' ),
1980 'local' => $this->isLocal(),
1981 ];
1982
1983 $optionalSettings = [
1984 'url',
1985 'thumbUrl',
1986 'initialCapital',
1987 'descBaseUrl',
1988 'scriptDirUrl',
1989 'articleUrl',
1990 'fetchDescription',
1991 'descriptionCacheExpiry',
1992 ];
1993 foreach ( $optionalSettings as $k ) {
1994 if ( isset( $this->$k ) ) {
1995 $ret[$k] = $this->$k;
1996 }
1997 }
1998 if ( isset( $this->favicon ) ) {
1999 // Expand any local path to full URL to improve API usability (T77093).
2000 $ret['favicon'] = wfExpandUrl( $this->favicon );
2001 }
2002
2003 return $ret;
2004 }
2005
2010 public function hasSha1Storage() {
2011 return $this->hasSha1Storage;
2012 }
2013
2018 public function supportsSha1URLs() {
2019 return $this->supportsSha1URLs;
2020 }
2021}
const NS_FILE
Definition Defines.php:70
wfDebug( $text, $dest='all', array $context=[])
Sends a line to the debug log if enabled or, optionally, to a comment in output.
wfUrlencode( $s)
We want some things to be included as literal characters in our title URLs for prettiness,...
wfExpandUrl( $url, $defaultProto=PROTO_CURRENT)
Expand a potentially local URL to a fully-qualified URL.
wfMessageFallback(... $keys)
This function accepts multiple message keys and returns a message instance for the first message whic...
wfAppendQuery( $url, $query)
Append a query string to an existing URL, which may or may not already have query string parameters a...
Class representing a non-directory file on the file system.
Definition FSFile.php:32
Base class for all file backend classes (including multi-write backends).
static isStoragePath( $path)
Check if a given path is a "mwstore://" path.
const ATTR_UNICODE_PATHS
static splitStoragePath( $storagePath)
Split a storage path into a backend name, a container name, and a relative file path.
static extensionFromPath( $path, $case='lowercase')
Get the final extension from a storage or FS path.
static isPathTraversalFree( $path)
Check if a relative path has no directory traversals.
Base class for file repositories.
Definition FileRepo.php:46
string $pathDisclosureProtection
May be 'paranoid' to remove all parameters from error messages, 'none' to leave the paths in unchange...
Definition FileRepo.php:107
getTempHashPath( $suffix)
Get a relative path including trailing slash, e.g.
Definition FileRepo.php:758
int $hashLevels
The number of directory levels for hash-based division of files.
Definition FileRepo.php:116
getTempRepo()
Get a temporary private FileRepo associated with this repo.
cleanupDeletedBatch(array $storageKeys)
Delete files in the deleted directory if they are not referenced in the filearchive table.
const OVERWRITE_SAME
Definition FileRepo.php:49
resolveVirtualUrl( $url)
Get the backend storage path corresponding to a virtual URL.
Definition FileRepo.php:357
nameForThumb( $name)
Get the portion of the file that contains the origin file name.
publishBatch(array $ntuples, $flags=0)
Publish a batch of files.
findFiles(array $items, $flags=0)
Find many files at once.
Definition FileRepo.php:539
newFatal( $message,... $parameters)
Create a new fatal error.
getThumbProxyUrl()
Get the URL thumb.php requests are being proxied to.
Definition FileRepo.php:677
getZoneLocation( $zone)
The storage container and base path of a zone.
Definition FileRepo.php:383
fileExists( $file)
Checks existence of a file.
getFileSha1( $virtualUrl)
Get the sha1 (base 36) of a file with a given virtual URL/storage path.
bool $supportsSha1URLs
Definition FileRepo.php:66
quickImportBatch(array $triples)
Import a batch of files from the local file system into the repo.
assertWritableRepo()
Throw an exception if this repo is read-only by design.
getRootDirectory()
Get the public zone root storage directory of the repository.
Definition FileRepo.php:736
supportsSha1URLs()
Returns whether or not repo supports having originals SHA-1s in the thumb URLs.
newGood( $value=null)
Create a new good result.
findFilesByPrefix( $prefix, $limit)
Return an array of files where the name starts with $prefix.
Definition FileRepo.php:659
getHashLevels()
Get the number of hash directory levels.
Definition FileRepo.php:788
string $thumbProxySecret
Secret key to pass as an X-Swift-Secret header to the proxied thumb service.
Definition FileRepo.php:147
streamFileWithStatus( $virtualUrl, $headers=[], $optHeaders=[])
Attempt to stream a file with the given virtual URL/storage path.
getName()
Get the name of this repository, as specified by $info['name]' to the constructor.
Definition FileRepo.php:797
store( $srcPath, $dstZone, $dstRel, $flags=0)
Store a file to a given destination.
Definition FileRepo.php:914
findFile( $title, $options=[])
Find an instance of the named file created at the specified time Returns false if the file does not e...
Definition FileRepo.php:456
callable false $oldFileFactoryKey
Override these in the base class.
Definition FileRepo.php:140
getVirtualUrl( $suffix=false)
Get a URL referring to this repository, with the private mwrepo protocol.
Definition FileRepo.php:299
const NAME_AND_TIME_ONLY
Definition FileRepo.php:52
quickPurge( $path)
Purge a file from the repo.
quickPurgeBatch(array $paths)
Purge a batch of files from the repo.
passThrough( $param)
Path disclosure protection function.
static getHashPathForLevel( $name, $levels)
Definition FileRepo.php:769
array $zones
Map of zones to config.
Definition FileRepo.php:72
callable false $fileFactoryKey
Override these in the base class.
Definition FileRepo.php:138
checkRedirect( $title)
Checks if there is a redirect named as $title.
getDisplayName()
Get the human-readable name of the repo.
getSharedCacheKey( $kClassSuffix,... $components)
Get a global, repository-qualified, WAN cache key.
getLocalCacheKey( $kClassSuffix,... $components)
Get a site-local, repository-qualified, WAN cache key.
bool $disableLocalTransform
Disable local image scaling.
Definition FileRepo.php:150
storeBatch(array $triplets, $flags=0)
Store a batch of files.
Definition FileRepo.php:939
enumFiles( $callback)
Call a callback function for every public regular file in the repository.
canTransformLocally()
Returns true if the repository can transform files locally.
Definition FileRepo.php:705
hasSha1Storage()
Returns whether or not storage is SHA-1 based.
cleanupBatch(array $files, $flags=0)
Deletes a batch of files.
publish( $src, $dstRel, $archiveRel, $flags=0, array $options=[])
Copy or move a file either from a storage path, virtual URL, or file system path, into this repositor...
initDirectory( $dir)
Creates a directory with the appropriate zone permissions.
int $abbrvThreshold
File names over this size will use the short form of thumbnail names.
Definition FileRepo.php:125
makeUrl( $query='', $entry='index')
Make an url to this repo.
Definition FileRepo.php:808
findBySha1s(array $hashes)
Get an array of arrays or iterators of file objects for files that have the given SHA-1 content hashe...
Definition FileRepo.php:639
string $thumbProxyUrl
URL of where to proxy thumb.php requests to.
Definition FileRepo.php:145
concatenate(array $srcPaths, $dstPath, $flags=0)
Concatenate a list of temporary files into a target file location.
FileBackend $backend
Definition FileRepo.php:69
null string $favicon
The URL to a favicon (optional, may be a server-local path URL).
Definition FileRepo.php:128
fileExistsBatch(array $files)
Checks existence of an array of files.
int $descriptionCacheExpiry
Definition FileRepo.php:60
paranoidClean( $param)
Path disclosure protection function.
WANObjectCache $wanCache
Definition FileRepo.php:153
const SKIP_LOCKING
Definition FileRepo.php:50
initZones( $doZones=[])
Ensure that a single zone or list of zones is defined for usage.
Definition FileRepo.php:272
string $thumbUrl
The base thumbnail URL.
Definition FileRepo.php:113
getFileProps( $virtualUrl)
Get properties of a file with a given virtual URL/storage path.
const OVERWRITE
Definition FileRepo.php:48
isLocal()
Returns true if this the local file repository.
getZonePath( $zone)
Get the storage path corresponding to one of the zones.
Definition FileRepo.php:397
getUploadStash(UserIdentity $user=null)
Get an UploadStash associated with this repo.
getDescriptionUrl( $name)
Get the URL of an image description page.
Definition FileRepo.php:828
cleanDir( $dir)
Deletes a directory if empty.
resolveToStoragePathIfVirtual( $path)
If a path is a virtual URL, resolve it to a storage path.
getDeletedHashPath( $key)
Get a relative path for a deletion archive key, e.g.
bool $hasSha1Storage
Definition FileRepo.php:63
const DELETE_SOURCE
Definition FileRepo.php:47
getNameFromTitle( $title)
Get the name of a file from its title.
Definition FileRepo.php:715
invalidateImageRedirect( $title)
Invalidates image redirect cache related to that image Doesn't do anything for repositories that don'...
getFileSize( $virtualUrl)
Get the size of a file with a given virtual URL/storage path.
getThumbProxySecret()
Get the secret key for the proxied thumb service.
Definition FileRepo.php:686
bool $fetchDescription
Whether to fetch commons image description pages and display them on the local wiki.
Definition FileRepo.php:57
string false $url
Public zone URL.
Definition FileRepo.php:110
callable $fileFactory
Override these in the base class.
Definition FileRepo.php:134
static isVirtualUrl( $url)
Determine if a string is an mwrepo:// URL.
Definition FileRepo.php:287
getDescriptionStylesheetUrl()
Get the URL of the stylesheet to apply to description pages.
Definition FileRepo.php:887
bool $transformVia404
Whether to skip media file transformation on parse and rely on a 404 handler instead.
Definition FileRepo.php:80
getFileTimestamp( $virtualUrl)
Get the timestamp of a file with a given virtual URL/storage path.
bool $isPrivate
Whether all zones should be private (e.g.
Definition FileRepo.php:131
string $scriptDirUrl
URL of the MediaWiki installation, equivalent to $wgScriptPath, e.g.
Definition FileRepo.php:90
string $descBaseUrl
URL of image description pages, e.g.
Definition FileRepo.php:85
getZoneUrl( $zone, $ext=null)
Get the URL corresponding to one of the four basic zones.
Definition FileRepo.php:315
getReadOnlyReason()
Get an explanatory message if this repo is read-only.
Definition FileRepo.php:262
newFile( $title, $time=false)
Create a new File object from the local repository.
Definition FileRepo.php:421
storeTemp( $originalName, $srcPath)
Pick a random name in the temp zone and store a file to it.
quickCleanDir( $dir)
Deletes a directory if empty.
canTransformVia404()
Returns true if the repository can transform files via a 404 handler.
Definition FileRepo.php:695
enumFilesInStorage( $callback)
Call a callback function for every public file in the repository.
validateFilename( $filename)
Determine if a relative path is valid, i.e.
findFileFromKey( $sha1, $options=[])
Find an instance of the file with this key, created at the specified time Returns false if the file d...
Definition FileRepo.php:584
int $deletedHashLevels
The number of directory levels for hash-based division of deleted files.
Definition FileRepo.php:119
string $thumbScriptUrl
URL of thumb.php.
Definition FileRepo.php:75
backendSupportsUnicodePaths()
Definition FileRepo.php:345
__construct(array $info=null)
Definition FileRepo.php:168
string $name
Definition FileRepo.php:160
bool $initialCapital
Equivalent to $wgCapitalLinks (or $wgCapitalLinkOverrides[NS_FILE], determines whether filenames impl...
Definition FileRepo.php:100
getLocalCopy( $virtualUrl)
Get a local FS copy of a file with a given virtual URL/storage path.
deleteBatch(array $sourceDestPairs)
Move a group of files to the deletion archive.
getErrorCleanupFunction()
Get a callback function to use for cleaning error message parameters.
getHashPath( $name)
Get a relative path including trailing slash, e.g.
Definition FileRepo.php:747
callable false $oldFileFactory
Override these in the base class.
Definition FileRepo.php:136
quickImport( $src, $dst, $options=null)
Import a file from the local file system into the repo.
string $articleUrl
Equivalent to $wgArticlePath, e.g.
Definition FileRepo.php:93
getDescriptionRenderUrl( $name, $lang=null)
Get the URL of the content-only fragment of the description page.
Definition FileRepo.php:862
freeTemp( $virtualUrl)
Remove a temporary file or mark it for garbage collection.
findBySha1( $hash)
Get an array or iterator of file objects for files that have a given SHA-1 content hash.
Definition FileRepo.php:628
getBackend()
Get the file backend instance.
Definition FileRepo.php:252
getInfo()
Return information about the repository.
getThumbScriptUrl()
Get the URL of thumb.php.
Definition FileRepo.php:668
getLocalReference( $virtualUrl)
Get a local FS file with a given virtual URL/storage path.
MediaWiki exception.
MimeMagic helper wrapper.
MediaWikiServices is the service locator for the application scope of MediaWiki.
FileRepo for temporary files created via FileRepo::getTempRepo()
UploadStash is intended to accomplish a few things:
Multi-datacenter aware caching interface.
Interface for objects (potentially) representing an editable wiki page.
This interface represents the authority associated the current execution context, such as a web reque...
Definition Authority.php:37
Interface for objects representing user identity.
$source
return true
Definition router.php:92
if(PHP_SAPI !='cli-server') if(!isset( $_SERVER['SCRIPT_FILENAME'])) $file
Item class for a filearchive table row.
Definition router.php:42
if(!is_readable( $file)) $ext
Definition router.php:48
if(!isset( $args[0])) $lang