Localisation updates for core and extension messages from translatewiki.net
[mediawiki.git] / includes / upload / UploadStash.php
blob009c9b641a4495c06cbacbf85a7075bc73193e3b
1 <?php
2 /**
3 * UploadStash is intended to accomplish a few things:
4 * - enable applications to temporarily stash files without publishing them to the wiki.
5 * - Several parts of MediaWiki do this in similar ways: UploadBase, UploadWizard, and FirefoggChunkedExtension
6 * And there are several that reimplement stashing from scratch, in idiosyncratic ways. The idea is to unify them all here.
7 * Mostly all of them are the same except for storing some custom fields, which we subsume into the data array.
8 * - enable applications to find said files later, as long as the db table or temp files haven't been purged.
9 * - enable the uploading user (and *ONLY* the uploading user) to access said files, and thumbnails of said files, via a URL.
10 * We accomplish this using a database table, with ownership checking as you might expect. See SpecialUploadStash, which
11 * implements a web interface to some files stored this way.
13 * UploadStash right now is *mostly* intended to show you one user's slice of the entire stash. The user parameter is only optional
14 * because there are few cases where we clean out the stash from an automated script. In the future we might refactor this.
16 * UploadStash represents the entire stash of temporary files.
17 * UploadStashFile is a filestore for the actual physical disk files.
18 * UploadFromStash extends UploadBase, and represents a single stashed file as it is moved from the stash to the regular file repository
20 * @ingroup Upload
22 class UploadStash {
24 // Format of the key for files -- has to be suitable as a filename itself (e.g. ab12cd34ef.jpg)
25 const KEY_FORMAT_REGEX = '/^[\w-\.]+\.\w*$/';
27 /**
28 * repository that this uses to store temp files
29 * public because we sometimes need to get a LocalFile within the same repo.
31 * @var LocalRepo
33 public $repo;
35 // array of initialized repo objects
36 protected $files = array();
38 // cache of the file metadata that's stored in the database
39 protected $fileMetadata = array();
41 // fileprops cache
42 protected $fileProps = array();
44 // current user
45 protected $user, $userId, $isLoggedIn;
47 /**
48 * Represents a temporary filestore, with metadata in the database.
49 * Designed to be compatible with the session stashing code in UploadBase (should replace it eventually)
51 * @param $repo FileRepo
53 public function __construct( FileRepo $repo, $user = null ) {
54 // this might change based on wiki's configuration.
55 $this->repo = $repo;
57 // if a user was passed, use it. otherwise, attempt to use the global.
58 // this keeps FileRepo from breaking when it creates an UploadStash object
59 if ( $user ) {
60 $this->user = $user;
61 } else {
62 global $wgUser;
63 $this->user = $wgUser;
66 if ( is_object( $this->user ) ) {
67 $this->userId = $this->user->getId();
68 $this->isLoggedIn = $this->user->isLoggedIn();
72 /**
73 * Get a file and its metadata from the stash.
74 * The noAuth param is a bit janky but is required for automated scripts which clean out the stash.
76 * @param $key String: key under which file information is stored
77 * @param $noAuth Boolean (optional) Don't check authentication. Used by maintenance scripts.
78 * @throws UploadStashFileNotFoundException
79 * @throws UploadStashNotLoggedInException
80 * @throws UploadStashWrongOwnerException
81 * @throws UploadStashBadPathException
82 * @return UploadStashFile
84 public function getFile( $key, $noAuth = false ) {
86 if ( ! preg_match( self::KEY_FORMAT_REGEX, $key ) ) {
87 throw new UploadStashBadPathException( "key '$key' is not in a proper format" );
90 if ( !$noAuth ) {
91 if ( !$this->isLoggedIn ) {
92 throw new UploadStashNotLoggedInException( __METHOD__ . ' No user is logged in, files must belong to users' );
96 if ( !isset( $this->fileMetadata[$key] ) ) {
97 if ( !$this->fetchFileMetadata( $key ) ) {
98 // If nothing was received, it's likely due to replication lag. Check the master to see if the record is there.
99 $this->fetchFileMetadata( $key, DB_MASTER );
102 if ( !isset( $this->fileMetadata[$key] ) ) {
103 throw new UploadStashFileNotFoundException( "key '$key' not found in stash" );
106 // create $this->files[$key]
107 $this->initFile( $key );
109 // fetch fileprops
110 $path = $this->fileMetadata[$key]['us_path'];
111 $this->fileProps[$key] = $this->repo->getFileProps( $path );
114 if ( ! $this->files[$key]->exists() ) {
115 wfDebug( __METHOD__ . " tried to get file at $key, but it doesn't exist\n" );
116 throw new UploadStashBadPathException( "path doesn't exist" );
119 if ( !$noAuth ) {
120 if ( $this->fileMetadata[$key]['us_user'] != $this->userId ) {
121 throw new UploadStashWrongOwnerException( "This file ($key) doesn't belong to the current user." );
125 return $this->files[$key];
129 * Getter for file metadata.
131 * @param key String: key under which file information is stored
132 * @return Array
134 public function getMetadata ( $key ) {
135 $this->getFile( $key );
136 return $this->fileMetadata[$key];
140 * Getter for fileProps
142 * @param key String: key under which file information is stored
143 * @return Array
145 public function getFileProps ( $key ) {
146 $this->getFile( $key );
147 return $this->fileProps[$key];
151 * Stash a file in a temp directory and record that we did this in the database, along with other metadata.
153 * @param $path String: path to file you want stashed
154 * @param $sourceType String: the type of upload that generated this file (currently, I believe, 'file' or null)
155 * @throws UploadStashBadPathException
156 * @throws UploadStashFileException
157 * @throws UploadStashNotLoggedInException
158 * @return UploadStashFile: file, or null on failure
160 public function stashFile( $path, $sourceType = null ) {
161 if ( ! file_exists( $path ) ) {
162 wfDebug( __METHOD__ . " tried to stash file at '$path', but it doesn't exist\n" );
163 throw new UploadStashBadPathException( "path doesn't exist" );
165 $fileProps = FSFile::getPropsFromPath( $path );
166 wfDebug( __METHOD__ . " stashing file at '$path'\n" );
168 // we will be initializing from some tmpnam files that don't have extensions.
169 // most of MediaWiki assumes all uploaded files have good extensions. So, we fix this.
170 $extension = self::getExtensionForPath( $path );
171 if ( ! preg_match( "/\\.\\Q$extension\\E$/", $path ) ) {
172 $pathWithGoodExtension = "$path.$extension";
173 if ( ! rename( $path, $pathWithGoodExtension ) ) {
174 throw new UploadStashFileException( "couldn't rename $path to have a better extension at $pathWithGoodExtension" );
176 $path = $pathWithGoodExtension;
179 // If no key was supplied, make one. a mysql insertid would be totally reasonable here, except
180 // that for historical reasons, the key is this random thing instead. At least it's not guessable.
182 // some things that when combined will make a suitably unique key.
183 // see: http://www.jwz.org/doc/mid.html
184 list ($usec, $sec) = explode( ' ', microtime() );
185 $usec = substr($usec, 2);
186 $key = wfBaseConvert( $sec . $usec, 10, 36 ) . '.' .
187 wfBaseConvert( mt_rand(), 10, 36 ) . '.'.
188 $this->userId . '.' .
189 $extension;
191 $this->fileProps[$key] = $fileProps;
193 if ( ! preg_match( self::KEY_FORMAT_REGEX, $key ) ) {
194 throw new UploadStashBadPathException( "key '$key' is not in a proper format" );
197 wfDebug( __METHOD__ . " key for '$path': $key\n" );
199 // if not already in a temporary area, put it there
200 $storeStatus = $this->repo->storeTemp( basename( $path ), $path );
202 if ( ! $storeStatus->isOK() ) {
203 // It is a convention in MediaWiki to only return one error per API exception, even if multiple errors
204 // are available. We use reset() to pick the "first" thing that was wrong, preferring errors to warnings.
205 // This is a bit lame, as we may have more info in the $storeStatus and we're throwing it away, but to fix it means
206 // redesigning API errors significantly.
207 // $storeStatus->value just contains the virtual URL (if anything) which is probably useless to the caller
208 $error = $storeStatus->getErrorsArray();
209 $error = reset( $error );
210 if ( ! count( $error ) ) {
211 $error = $storeStatus->getWarningsArray();
212 $error = reset( $error );
213 if ( ! count( $error ) ) {
214 $error = array( 'unknown', 'no error recorded' );
217 // at this point, $error should contain the single "most important" error, plus any parameters.
218 throw new UploadStashFileException( "Error storing file in '$path': " . wfMessage( $error )->text() );
220 $stashPath = $storeStatus->value;
222 // fetch the current user ID
223 if ( !$this->isLoggedIn ) {
224 throw new UploadStashNotLoggedInException( __METHOD__ . ' No user is logged in, files must belong to users' );
227 // insert the file metadata into the db.
228 wfDebug( __METHOD__ . " inserting $stashPath under $key\n" );
229 $dbw = $this->repo->getMasterDb();
231 $this->fileMetadata[$key] = array(
232 'us_id' => $dbw->nextSequenceValue( 'uploadstash_us_id_seq' ),
233 'us_user' => $this->userId,
234 'us_key' => $key,
235 'us_orig_path' => $path,
236 'us_path' => $stashPath, // virtual URL
237 'us_size' => $fileProps['size'],
238 'us_sha1' => $fileProps['sha1'],
239 'us_mime' => $fileProps['mime'],
240 'us_media_type' => $fileProps['media_type'],
241 'us_image_width' => $fileProps['width'],
242 'us_image_height' => $fileProps['height'],
243 'us_image_bits' => $fileProps['bits'],
244 'us_source_type' => $sourceType,
245 'us_timestamp' => $dbw->timestamp(),
246 'us_status' => 'finished'
249 $dbw->insert(
250 'uploadstash',
251 $this->fileMetadata[$key],
252 __METHOD__
255 // store the insertid in the class variable so immediate retrieval (possibly laggy) isn't necesary.
256 $this->fileMetadata[$key]['us_id'] = $dbw->insertId();
258 # create the UploadStashFile object for this file.
259 $this->initFile( $key );
261 return $this->getFile( $key );
265 * Remove all files from the stash.
266 * Does not clean up files in the repo, just the record of them.
268 * @throws UploadStashNotLoggedInException
269 * @return boolean: success
271 public function clear() {
272 if ( !$this->isLoggedIn ) {
273 throw new UploadStashNotLoggedInException( __METHOD__ . ' No user is logged in, files must belong to users' );
276 wfDebug( __METHOD__ . ' clearing all rows for user ' . $this->userId . "\n" );
277 $dbw = $this->repo->getMasterDb();
278 $dbw->delete(
279 'uploadstash',
280 array( 'us_user' => $this->userId ),
281 __METHOD__
284 # destroy objects.
285 $this->files = array();
286 $this->fileMetadata = array();
288 return true;
292 * Remove a particular file from the stash. Also removes it from the repo.
294 * @throws UploadStashNotLoggedInException
295 * @throws UploadStashWrongOwnerException
296 * @return boolean: success
298 public function removeFile( $key ) {
299 if ( !$this->isLoggedIn ) {
300 throw new UploadStashNotLoggedInException( __METHOD__ . ' No user is logged in, files must belong to users' );
303 $dbw = $this->repo->getMasterDb();
305 // this is a cheap query. it runs on the master so that this function still works when there's lag.
306 // it won't be called all that often.
307 $row = $dbw->selectRow(
308 'uploadstash',
309 'us_user',
310 array( 'us_key' => $key ),
311 __METHOD__
314 if( !$row ) {
315 throw new UploadStashNoSuchKeyException( "No such key ($key), cannot remove" );
318 if ( $row->us_user != $this->userId ) {
319 throw new UploadStashWrongOwnerException( "Can't delete: the file ($key) doesn't belong to this user." );
322 return $this->removeFileNoAuth( $key );
327 * Remove a file (see removeFile), but doesn't check ownership first.
329 * @return boolean: success
331 public function removeFileNoAuth( $key ) {
332 wfDebug( __METHOD__ . " clearing row $key\n" );
334 $dbw = $this->repo->getMasterDb();
336 // this gets its own transaction since it's called serially by the cleanupUploadStash maintenance script
337 $dbw->begin( __METHOD__ );
338 $dbw->delete(
339 'uploadstash',
340 array( 'us_key' => $key ),
341 __METHOD__
343 $dbw->commit( __METHOD__ );
345 // TODO: look into UnregisteredLocalFile and find out why the rv here is sometimes wrong (false when file was removed)
346 // for now, ignore.
347 $this->files[$key]->remove();
349 unset( $this->files[$key] );
350 unset( $this->fileMetadata[$key] );
352 return true;
356 * List all files in the stash.
358 * @throws UploadStashNotLoggedInException
359 * @return Array
361 public function listFiles() {
362 if ( !$this->isLoggedIn ) {
363 throw new UploadStashNotLoggedInException( __METHOD__ . ' No user is logged in, files must belong to users' );
366 $dbr = $this->repo->getSlaveDb();
367 $res = $dbr->select(
368 'uploadstash',
369 'us_key',
370 array( 'us_user' => $this->userId ),
371 __METHOD__
374 if ( !is_object( $res ) || $res->numRows() == 0 ) {
375 // nothing to do.
376 return false;
379 // finish the read before starting writes.
380 $keys = array();
381 foreach ( $res as $row ) {
382 array_push( $keys, $row->us_key );
385 return $keys;
389 * Find or guess extension -- ensuring that our extension matches our mime type.
390 * Since these files are constructed from php tempnames they may not start off
391 * with an extension.
392 * XXX this is somewhat redundant with the checks that ApiUpload.php does with incoming
393 * uploads versus the desired filename. Maybe we can get that passed to us...
394 * @return string
396 public static function getExtensionForPath( $path ) {
397 // Does this have an extension?
398 $n = strrpos( $path, '.' );
399 $extension = null;
400 if ( $n !== false ) {
401 $extension = $n ? substr( $path, $n + 1 ) : '';
402 } else {
403 // If not, assume that it should be related to the mime type of the original file.
404 $magic = MimeMagic::singleton();
405 $mimeType = $magic->guessMimeType( $path );
406 $extensions = explode( ' ', MimeMagic::singleton()->getExtensionsForType( $mimeType ) );
407 if ( count( $extensions ) ) {
408 $extension = $extensions[0];
412 if ( is_null( $extension ) ) {
413 throw new UploadStashFileException( "extension is null" );
416 return File::normalizeExtension( $extension );
420 * Helper function: do the actual database query to fetch file metadata.
422 * @param $key String: key
423 * @return boolean
425 protected function fetchFileMetadata( $key, $readFromDB = DB_SLAVE ) {
426 // populate $fileMetadata[$key]
427 $dbr = null;
428 if( $readFromDB === DB_MASTER ) {
429 // sometimes reading from the master is necessary, if there's replication lag.
430 $dbr = $this->repo->getMasterDb();
431 } else {
432 $dbr = $this->repo->getSlaveDb();
435 $row = $dbr->selectRow(
436 'uploadstash',
437 '*',
438 array( 'us_key' => $key ),
439 __METHOD__
442 if ( !is_object( $row ) ) {
443 // key wasn't present in the database. this will happen sometimes.
444 return false;
447 $this->fileMetadata[$key] = (array)$row;
449 return true;
453 * Helper function: Initialize the UploadStashFile for a given file.
455 * @param $path String: path to file
456 * @param $key String: key under which to store the object
457 * @throws UploadStashZeroLengthFileException
458 * @return bool
460 protected function initFile( $key ) {
461 $file = new UploadStashFile( $this->repo, $this->fileMetadata[$key]['us_path'], $key );
462 if ( $file->getSize() === 0 ) {
463 throw new UploadStashZeroLengthFileException( "File is zero length" );
465 $this->files[$key] = $file;
466 return true;
470 class UploadStashFile extends UnregisteredLocalFile {
471 private $fileKey;
472 private $urlName;
473 protected $url;
476 * A LocalFile wrapper around a file that has been temporarily stashed, so we can do things like create thumbnails for it
477 * Arguably UnregisteredLocalFile should be handling its own file repo but that class is a bit retarded currently
479 * @param $repo FileRepo: repository where we should find the path
480 * @param $path String: path to file
481 * @param $key String: key to store the path and any stashed data under
482 * @throws UploadStashBadPathException
483 * @throws UploadStashFileNotFoundException
485 public function __construct( $repo, $path, $key ) {
486 $this->fileKey = $key;
488 // resolve mwrepo:// urls
489 if ( $repo->isVirtualUrl( $path ) ) {
490 $path = $repo->resolveVirtualUrl( $path );
491 } else {
493 // check if path appears to be sane, no parent traversals, and is in this repo's temp zone.
494 $repoTempPath = $repo->getZonePath( 'temp' );
495 if ( ( ! $repo->validateFilename( $path ) ) ||
496 ( strpos( $path, $repoTempPath ) !== 0 ) ) {
497 wfDebug( "UploadStash: tried to construct an UploadStashFile from a file that should already exist at '$path', but path is not valid\n" );
498 throw new UploadStashBadPathException( 'path is not valid' );
501 // check if path exists! and is a plain file.
502 if ( ! $repo->fileExists( $path, FileRepo::FILES_ONLY ) ) {
503 wfDebug( "UploadStash: tried to construct an UploadStashFile from a file that should already exist at '$path', but path is not found\n" );
504 throw new UploadStashFileNotFoundException( 'cannot find path, or not a plain file' );
508 parent::__construct( false, $repo, $path, false );
510 $this->name = basename( $this->path );
514 * A method needed by the file transforming and scaling routines in File.php
515 * We do not necessarily care about doing the description at this point
516 * However, we also can't return the empty string, as the rest of MediaWiki demands this (and calls to imagemagick
517 * convert require it to be there)
519 * @return String: dummy value
521 public function getDescriptionUrl() {
522 return $this->getUrl();
526 * Get the path for the thumbnail (actually any transformation of this file)
527 * The actual argument is the result of thumbName although we seem to have
528 * buggy code elsewhere that expects a boolean 'suffix'
530 * @param $thumbName String: name of thumbnail (e.g. "120px-123456.jpg" ), or false to just get the path
531 * @return String: path thumbnail should take on filesystem, or containing directory if thumbname is false
533 public function getThumbPath( $thumbName = false ) {
534 $path = dirname( $this->path );
535 if ( $thumbName !== false ) {
536 $path .= "/$thumbName";
538 return $path;
542 * Return the file/url base name of a thumbnail with the specified parameters.
543 * We override this because we want to use the pretty url name instead of the
544 * ugly file name.
546 * @param $params Array: handler-specific parameters
547 * @return String: base name for URL, like '120px-12345.jpg', or null if there is no handler
549 function thumbName( $params ) {
550 return $this->generateThumbName( $this->getUrlName(), $params );
554 * Helper function -- given a 'subpage', return the local URL e.g. /wiki/Special:UploadStash/subpage
555 * @param {String} $subPage
556 * @return {String} local URL for this subpage in the Special:UploadStash space.
558 private function getSpecialUrl( $subPage ) {
559 return SpecialPage::getTitleFor( 'UploadStash', $subPage )->getLocalURL();
563 * Get a URL to access the thumbnail
564 * This is required because the model of how files work requires that
565 * the thumbnail urls be predictable. However, in our model the URL is not based on the filename
566 * (that's hidden in the db)
568 * @param $thumbName String: basename of thumbnail file -- however, we don't want to use the file exactly
569 * @return String: URL to access thumbnail, or URL with partial path
571 public function getThumbUrl( $thumbName = false ) {
572 wfDebug( __METHOD__ . " getting for $thumbName \n" );
573 return $this->getSpecialUrl( 'thumb/' . $this->getUrlName() . '/' . $thumbName );
577 * The basename for the URL, which we want to not be related to the filename.
578 * Will also be used as the lookup key for a thumbnail file.
580 * @return String: base url name, like '120px-123456.jpg'
582 public function getUrlName() {
583 if ( ! $this->urlName ) {
584 $this->urlName = $this->fileKey;
586 return $this->urlName;
590 * Return the URL of the file, if for some reason we wanted to download it
591 * We tend not to do this for the original file, but we do want thumb icons
593 * @return String: url
595 public function getUrl() {
596 if ( !isset( $this->url ) ) {
597 $this->url = $this->getSpecialUrl( 'file/' . $this->getUrlName() );
599 return $this->url;
603 * Parent classes use this method, for no obvious reason, to return the path (relative to wiki root, I assume).
604 * But with this class, the URL is unrelated to the path.
606 * @return String: url
608 public function getFullUrl() {
609 return $this->getUrl();
613 * Getter for file key (the unique id by which this file's location & metadata is stored in the db)
615 * @return String: file key
617 public function getFileKey() {
618 return $this->fileKey;
622 * Remove the associated temporary file
623 * @return Status: success
625 public function remove() {
626 if ( !$this->repo->fileExists( $this->path, FileRepo::FILES_ONLY ) ) {
627 // Maybe the file's already been removed? This could totally happen in UploadBase.
628 return true;
631 return $this->repo->freeTemp( $this->path );
634 public function exists() {
635 return $this->repo->fileExists( $this->path, FileRepo::FILES_ONLY );
640 class UploadStashNotAvailableException extends MWException {};
641 class UploadStashFileNotFoundException extends MWException {};
642 class UploadStashBadPathException extends MWException {};
643 class UploadStashFileException extends MWException {};
644 class UploadStashZeroLengthFileException extends MWException {};
645 class UploadStashNotLoggedInException extends MWException {};
646 class UploadStashWrongOwnerException extends MWException {};
647 class UploadStashNoSuchKeyException extends MWException {};