3 * @defgroup FileBackend File backend
6 * File backend is used to interact with file storage systems,
7 * such as the local file system, NFS, or cloud storage systems.
12 * @ingroup FileBackend
13 * @author Aaron Schulz
17 * @brief Base class for all file backend classes (including multi-write backends).
19 * This class defines the methods as abstract that subclasses must implement.
20 * Outside callers can assume that all backends will have these functions.
22 * All "storage paths" are of the format "mwstore://<backend>/<container>/<path>".
23 * The <path> portion is a relative path that uses UNIX file system (FS) notation,
24 * though any particular backend may not actually be using a local filesystem.
25 * Therefore, the relative paths are only virtual.
27 * Backend contents are stored under wiki-specific container names by default.
28 * For legacy reasons, this has no effect for the FS backend class, and per-wiki
29 * segregation must be done by setting the container paths appropriately.
31 * FS-based backends are somewhat more restrictive due to the existence of real
32 * directory files; a regular file cannot have the same name as a directory. Other
33 * backends with virtual directories may not have this limitation. Callers should
34 * store files in such a way that no files and directories are under the same path.
36 * Methods should avoid throwing exceptions at all costs.
37 * As a corollary, external dependencies should be kept to a minimum.
39 * @ingroup FileBackend
42 abstract class FileBackend
{
43 protected $name; // string; unique backend name
44 protected $wikiId; // string; unique wiki name
45 protected $readOnly; // string; read-only explanation message
46 /** @var LockManager */
47 protected $lockManager;
48 /** @var FileJournal */
49 protected $fileJournal;
52 * Create a new backend instance from configuration.
53 * This should only be called from within FileBackendGroup.
56 * 'name' : The unique name of this backend.
57 * This should consist of alphanumberic, '-', and '_' characters.
58 * This name should not be changed after use.
59 * 'wikiId' : Prefix to container names that is unique to this wiki.
60 * It should only consist of alphanumberic, '-', and '_' characters.
61 * 'lockManager' : Registered name of a file lock manager to use.
62 * 'fileJournal' : File journal configuration; see FileJournal::factory().
63 * Journals simply log changes to files stored in the backend.
64 * 'readOnly' : Write operations are disallowed if this is a non-empty string.
65 * It should be an explanation for the backend being read-only.
67 * @param $config Array
69 public function __construct( array $config ) {
70 $this->name
= $config['name'];
71 if ( !preg_match( '!^[a-zA-Z0-9-_]{1,255}$!', $this->name
) ) {
72 throw new MWException( "Backend name `{$this->name}` is invalid." );
74 $this->wikiId
= isset( $config['wikiId'] )
76 : wfWikiID(); // e.g. "my_wiki-en_"
77 $this->lockManager
= ( $config['lockManager'] instanceof LockManager
)
78 ?
$config['lockManager']
79 : LockManagerGroup
::singleton()->get( $config['lockManager'] );
80 $this->fileJournal
= isset( $config['fileJournal'] )
81 ? FileJournal
::factory( $config['fileJournal'], $this->name
)
82 : FileJournal
::factory( array( 'class' => 'NullFileJournal' ), $this->name
);
83 $this->readOnly
= isset( $config['readOnly'] )
84 ?
(string)$config['readOnly']
89 * Get the unique backend name.
90 * We may have multiple different backends of the same type.
91 * For example, we can have two Swift backends using different proxies.
95 final public function getName() {
100 * Check if this backend is read-only
104 final public function isReadOnly() {
105 return ( $this->readOnly
!= '' );
109 * Get an explanatory message if this backend is read-only
111 * @return string|bool Returns false if the backend is not read-only
113 final public function getReadOnlyReason() {
114 return ( $this->readOnly
!= '' ) ?
$this->readOnly
: false;
118 * This is the main entry point into the backend for write operations.
119 * Callers supply an ordered list of operations to perform as a transaction.
120 * Files will be locked, the stat cache cleared, and then the operations attempted.
121 * If any serious errors occur, all attempted operations will be rolled back.
123 * $ops is an array of arrays. The outer array holds a list of operations.
124 * Each inner array is a set of key value pairs that specify an operation.
126 * Supported operations and their parameters:
127 * a) Create a new file in storage with the contents of a string
130 * 'dst' => <storage path>,
131 * 'content' => <string of new file contents>,
132 * 'overwrite' => <boolean>,
133 * 'overwriteSame' => <boolean>
135 * b) Copy a file system file into storage
138 * 'src' => <file system path>,
139 * 'dst' => <storage path>,
140 * 'overwrite' => <boolean>,
141 * 'overwriteSame' => <boolean>
143 * c) Copy a file within storage
146 * 'src' => <storage path>,
147 * 'dst' => <storage path>,
148 * 'overwrite' => <boolean>,
149 * 'overwriteSame' => <boolean>
151 * d) Move a file within storage
154 * 'src' => <storage path>,
155 * 'dst' => <storage path>,
156 * 'overwrite' => <boolean>,
157 * 'overwriteSame' => <boolean>
159 * e) Delete a file within storage
162 * 'src' => <storage path>,
163 * 'ignoreMissingSource' => <boolean>
165 * f) Do nothing (no-op)
170 * Boolean flags for operations (operation-specific):
171 * 'ignoreMissingSource' : The operation will simply succeed and do
172 * nothing if the source file does not exist.
173 * 'overwrite' : Any destination file will be overwritten.
174 * 'overwriteSame' : An error will not be given if a file already
175 * exists at the destination that has the same
176 * contents as the new contents to be written there.
178 * $opts is an associative of boolean flags, including:
179 * 'force' : Errors that would normally cause a rollback do not.
180 * The remaining operations are still attempted if any fail.
181 * 'nonLocking' : No locks are acquired for the operations.
182 * This can increase performance for non-critical writes.
183 * This has no effect unless the 'force' flag is set.
184 * 'allowStale' : Don't require the latest available data.
185 * This can increase performance for non-critical writes.
186 * This has no effect unless the 'force' flag is set.
187 * 'nonJournaled' : Don't log this operation batch in the file journal.
188 * This limits the ability of recovery scripts.
190 * Remarks on locking:
191 * File system paths given to operations should refer to files that are
192 * already locked or otherwise safe from modification from other processes.
193 * Normally these files will be new temp files, which should be adequate.
196 * This returns a Status, which contains all warnings and fatals that occured
197 * during the operation. The 'failCount', 'successCount', and 'success' members
198 * will reflect each operation attempted. The status will be "OK" unless:
199 * a) unexpected operation errors occurred (network partitions, disk full...)
200 * b) significant operation errors occured and 'force' was not set
202 * @param $ops Array List of operations to execute in order
203 * @param $opts Array Batch operation options
206 final public function doOperations( array $ops, array $opts = array() ) {
207 if ( $this->isReadOnly() ) {
208 return Status
::newFatal( 'backend-fail-readonly', $this->name
, $this->readOnly
);
210 if ( empty( $opts['force'] ) ) { // sanity
211 unset( $opts['nonLocking'] );
212 unset( $opts['allowStale'] );
214 return $this->doOperationsInternal( $ops, $opts );
218 * @see FileBackend::doOperations()
220 abstract protected function doOperationsInternal( array $ops, array $opts );
223 * Same as doOperations() except it takes a single operation.
224 * If you are doing a batch of operations that should either
225 * all succeed or all fail, then use that function instead.
227 * @see FileBackend::doOperations()
229 * @param $op Array Operation
230 * @param $opts Array Operation options
233 final public function doOperation( array $op, array $opts = array() ) {
234 return $this->doOperations( array( $op ), $opts );
238 * Performs a single create operation.
239 * This sets $params['op'] to 'create' and passes it to doOperation().
241 * @see FileBackend::doOperation()
243 * @param $params Array Operation parameters
244 * @param $opts Array Operation options
247 final public function create( array $params, array $opts = array() ) {
248 $params['op'] = 'create';
249 return $this->doOperation( $params, $opts );
253 * Performs a single store operation.
254 * This sets $params['op'] to 'store' and passes it to doOperation().
256 * @see FileBackend::doOperation()
258 * @param $params Array Operation parameters
259 * @param $opts Array Operation options
262 final public function store( array $params, array $opts = array() ) {
263 $params['op'] = 'store';
264 return $this->doOperation( $params, $opts );
268 * Performs a single copy operation.
269 * This sets $params['op'] to 'copy' and passes it to doOperation().
271 * @see FileBackend::doOperation()
273 * @param $params Array Operation parameters
274 * @param $opts Array Operation options
277 final public function copy( array $params, array $opts = array() ) {
278 $params['op'] = 'copy';
279 return $this->doOperation( $params, $opts );
283 * Performs a single move operation.
284 * This sets $params['op'] to 'move' and passes it to doOperation().
286 * @see FileBackend::doOperation()
288 * @param $params Array Operation parameters
289 * @param $opts Array Operation options
292 final public function move( array $params, array $opts = array() ) {
293 $params['op'] = 'move';
294 return $this->doOperation( $params, $opts );
298 * Performs a single delete operation.
299 * This sets $params['op'] to 'delete' and passes it to doOperation().
301 * @see FileBackend::doOperation()
303 * @param $params Array Operation parameters
304 * @param $opts Array Operation options
307 final public function delete( array $params, array $opts = array() ) {
308 $params['op'] = 'delete';
309 return $this->doOperation( $params, $opts );
313 * Concatenate a list of storage files into a single file system file.
314 * The target path should refer to a file that is already locked or
315 * otherwise safe from modification from other processes. Normally,
316 * the file will be a new temp file, which should be adequate.
318 * srcs : ordered source storage paths (e.g. chunk1, chunk2, ...)
319 * dst : file system path to 0-byte temp file
321 * @param $params Array Operation parameters
324 abstract public function concatenate( array $params );
327 * Prepare a storage directory for usage.
328 * This will create any required containers and parent directories.
329 * Backends using key/value stores only need to create the container.
332 * dir : storage directory
334 * @param $params Array
337 final public function prepare( array $params ) {
338 if ( $this->isReadOnly() ) {
339 return Status
::newFatal( 'backend-fail-readonly', $this->name
, $this->readOnly
);
341 return $this->doPrepare( $params );
345 * @see FileBackend::prepare()
347 abstract protected function doPrepare( array $params );
350 * Take measures to block web access to a storage directory and
351 * the container it belongs to. FS backends might add .htaccess
352 * files whereas key/value store backends might restrict container
353 * access to the auth user that represents end-users in web request.
354 * This is not guaranteed to actually do anything.
357 * dir : storage directory
358 * noAccess : try to deny file access
359 * noListing : try to deny file listing
361 * @param $params Array
364 final public function secure( array $params ) {
365 if ( $this->isReadOnly() ) {
366 return Status
::newFatal( 'backend-fail-readonly', $this->name
, $this->readOnly
);
368 $status = $this->doPrepare( $params ); // dir must exist to restrict it
369 if ( $status->isOK() ) {
370 $status->merge( $this->doSecure( $params ) );
376 * @see FileBackend::secure()
378 abstract protected function doSecure( array $params );
381 * Delete a storage directory if it is empty.
382 * Backends using key/value stores may do nothing unless the directory
383 * is that of an empty container, in which case it should be deleted.
386 * dir : storage directory
388 * @param $params Array
391 final public function clean( array $params ) {
392 if ( $this->isReadOnly() ) {
393 return Status
::newFatal( 'backend-fail-readonly', $this->name
, $this->readOnly
);
395 return $this->doClean( $params );
399 * @see FileBackend::clean()
401 abstract protected function doClean( array $params );
404 * Check if a file exists at a storage path in the backend.
405 * This returns false if only a directory exists at the path.
408 * src : source storage path
409 * latest : use the latest available data
411 * @param $params Array
412 * @return bool|null Returns null on failure
414 abstract public function fileExists( array $params );
417 * Get the last-modified timestamp of the file at a storage path.
420 * src : source storage path
421 * latest : use the latest available data
423 * @param $params Array
424 * @return string|bool TS_MW timestamp or false on failure
426 abstract public function getFileTimestamp( array $params );
429 * Get the contents of a file at a storage path in the backend.
430 * This should be avoided for potentially large files.
433 * src : source storage path
434 * latest : use the latest available data
436 * @param $params Array
437 * @return string|bool Returns false on failure
439 abstract public function getFileContents( array $params );
442 * Get the size (bytes) of a file at a storage path in the backend.
445 * src : source storage path
446 * latest : use the latest available data
448 * @param $params Array
449 * @return integer|bool Returns false on failure
451 abstract public function getFileSize( array $params );
454 * Get quick information about a file at a storage path in the backend.
455 * If the file does not exist, then this returns false.
456 * Otherwise, the result is an associative array that includes:
457 * mtime : the last-modified timestamp (TS_MW)
458 * size : the file size (bytes)
459 * Additional values may be included for internal use only.
462 * src : source storage path
463 * latest : use the latest available data
465 * @param $params Array
466 * @return Array|bool|null Returns null on failure
468 abstract public function getFileStat( array $params );
471 * Get a SHA-1 hash of the file at a storage path in the backend.
474 * src : source storage path
475 * latest : use the latest available data
477 * @param $params Array
478 * @return string|bool Hash string or false on failure
480 abstract public function getFileSha1Base36( array $params );
483 * Get the properties of the file at a storage path in the backend.
484 * Returns FSFile::placeholderProps() on failure.
487 * src : source storage path
488 * latest : use the latest available data
490 * @param $params Array
493 abstract public function getFileProps( array $params );
496 * Stream the file at a storage path in the backend.
497 * If the file does not exists, a 404 error will be given.
498 * Appropriate HTTP headers (Status, Content-Type, Content-Length)
499 * must be sent if streaming began, while none should be sent otherwise.
500 * Implementations should flush the output buffer before sending data.
503 * src : source storage path
504 * headers : additional HTTP headers to send on success
505 * latest : use the latest available data
507 * @param $params Array
510 abstract public function streamFile( array $params );
513 * Returns a file system file, identical to the file at a storage path.
514 * The file returned is either:
515 * a) A local copy of the file at a storage path in the backend.
516 * The temporary copy will have the same extension as the source.
517 * b) An original of the file at a storage path in the backend.
518 * Temporary files may be purged when the file object falls out of scope.
520 * Write operations should *never* be done on this file as some backends
521 * may do internal tracking or may be instances of FileBackendMultiWrite.
522 * In that later case, there are copies of the file that must stay in sync.
523 * Additionally, further calls to this function may return the same file.
526 * src : source storage path
527 * latest : use the latest available data
529 * @param $params Array
530 * @return FSFile|null Returns null on failure
532 abstract public function getLocalReference( array $params );
535 * Get a local copy on disk of the file at a storage path in the backend.
536 * The temporary copy will have the same file extension as the source.
537 * Temporary files may be purged when the file object falls out of scope.
540 * src : source storage path
541 * latest : use the latest available data
543 * @param $params Array
544 * @return TempFSFile|null Returns null on failure
546 abstract public function getLocalCopy( array $params );
549 * Get an iterator to list out all stored files under a storage directory.
550 * If the directory is of the form "mwstore://backend/container",
551 * then all files in the container should be listed.
552 * If the directory is of form "mwstore://backend/container/dir",
553 * then all files under that container directory should be listed.
554 * Results should be storage paths relative to the given directory.
556 * Storage backends with eventual consistency might return stale data.
559 * dir : storage path directory
561 * @return Traversable|Array|null Returns null on failure
563 abstract public function getFileList( array $params );
566 * Invalidate any in-process file existence and property cache.
567 * If $paths is given, then only the cache for those files will be cleared.
569 * @param $paths Array Storage paths (optional)
572 public function clearCache( array $paths = null ) {}
575 * Lock the files at the given storage paths in the backend.
576 * This will either lock all the files or none (on failure).
578 * Callers should consider using getScopedFileLocks() instead.
580 * @param $paths Array Storage paths
581 * @param $type integer LockManager::LOCK_* constant
584 final public function lockFiles( array $paths, $type ) {
585 return $this->lockManager
->lock( $paths, $type );
589 * Unlock the files at the given storage paths in the backend.
591 * @param $paths Array Storage paths
592 * @param $type integer LockManager::LOCK_* constant
595 final public function unlockFiles( array $paths, $type ) {
596 return $this->lockManager
->unlock( $paths, $type );
600 * Lock the files at the given storage paths in the backend.
601 * This will either lock all the files or none (on failure).
602 * On failure, the status object will be updated with errors.
604 * Once the return value goes out scope, the locks will be released and
605 * the status updated. Unlock fatals will not change the status "OK" value.
607 * @param $paths Array Storage paths
608 * @param $type integer LockManager::LOCK_* constant
609 * @param $status Status Status to update on lock/unlock
610 * @return ScopedLock|null Returns null on failure
612 final public function getScopedFileLocks( array $paths, $type, Status
$status ) {
613 return ScopedLock
::factory( $this->lockManager
, $paths, $type, $status );
617 * Get the root storage path of this backend.
618 * All container paths are "subdirectories" of this path.
620 * @return string Storage path
623 final public function getRootStoragePath() {
624 return "mwstore://{$this->name}";
628 * Check if a given path is a "mwstore://" path.
629 * This does not do any further validation or any existence checks.
631 * @param $path string
634 final public static function isStoragePath( $path ) {
635 return ( strpos( $path, 'mwstore://' ) === 0 );
639 * Split a storage path into a backend name, a container name,
640 * and a relative file path. The relative path may be the empty string.
641 * This does not do any path normalization or traversal checks.
643 * @param $storagePath string
644 * @return Array (backend, container, rel object) or (null, null, null)
646 final public static function splitStoragePath( $storagePath ) {
647 if ( self
::isStoragePath( $storagePath ) ) {
648 // Remove the "mwstore://" prefix and split the path
649 $parts = explode( '/', substr( $storagePath, 10 ), 3 );
650 if ( count( $parts ) >= 2 && $parts[0] != '' && $parts[1] != '' ) {
651 if ( count( $parts ) == 3 ) {
652 return $parts; // e.g. "backend/container/path"
654 return array( $parts[0], $parts[1], '' ); // e.g. "backend/container"
658 return array( null, null, null );
662 * Normalize a storage path by cleaning up directory separators.
663 * Returns null if the path is not of the format of a valid storage path.
665 * @param $storagePath string
666 * @return string|null
668 final public static function normalizeStoragePath( $storagePath ) {
669 list( $backend, $container, $relPath ) = self
::splitStoragePath( $storagePath );
670 if ( $relPath !== null ) { // must be for this backend
671 $relPath = self
::normalizeContainerPath( $relPath );
672 if ( $relPath !== null ) {
673 return ( $relPath != '' )
674 ?
"mwstore://{$backend}/{$container}/{$relPath}"
675 : "mwstore://{$backend}/{$container}";
682 * Get the parent storage directory of a storage path.
683 * This returns a path like "mwstore://backend/container",
684 * "mwstore://backend/container/...", or null if there is no parent.
686 * @param $storagePath string
687 * @return string|null
689 final public static function parentStoragePath( $storagePath ) {
690 $storagePath = dirname( $storagePath );
691 list( $b, $cont, $rel ) = self
::splitStoragePath( $storagePath );
692 return ( $rel === null ) ?
null : $storagePath;
696 * Get the final extension from a storage or FS path
698 * @param $path string
701 final public static function extensionFromPath( $path ) {
702 $i = strrpos( $path, '.' );
703 return strtolower( $i ?
substr( $path, $i +
1 ) : '' );
707 * Check if a relative path has no directory traversals
709 * @param $path string
712 final public static function isPathTraversalFree( $path ) {
713 return ( self
::normalizeContainerPath( $path ) !== null );
717 * Validate and normalize a relative storage path.
718 * Null is returned if the path involves directory traversal.
719 * Traversal is insecure for FS backends and broken for others.
721 * This uses the same traversal protection as Title::secureAndSplit().
723 * @param $path string Storage path relative to a container
724 * @return string|null
726 final protected static function normalizeContainerPath( $path ) {
727 // Normalize directory separators
728 $path = strtr( $path, '\\', '/' );
729 // Collapse any consecutive directory separators
730 $path = preg_replace( '![/]{2,}!', '/', $path );
731 // Remove any leading directory separator
732 $path = ltrim( $path, '/' );
733 // Use the same traversal protection as Title::secureAndSplit()
734 if ( strpos( $path, '.' ) !== false ) {
738 strpos( $path, './' ) === 0 ||
739 strpos( $path, '../' ) === 0 ||
740 strpos( $path, '/./' ) !== false ||
741 strpos( $path, '/../' ) !== false