9 * UploadBase and subclasses are the backend of MediaWiki's file uploads.
10 * The frontends are formed by ApiUpload and SpecialUpload.
12 * See also includes/docs/upload.txt
14 * @author Brion Vibber
15 * @author Bryan Tong Minh
16 * @author Michael Dale
18 abstract class UploadBase
{
20 protected $mDesiredDestName, $mDestName, $mRemoveTempFile, $mSourceType;
21 protected $mTitle = false, $mTitleError = 0;
22 protected $mFilteredName, $mFinalExtension;
23 protected $mLocalFile, $mFileSize, $mFileProps;
24 protected $mBlackListedExtensions;
25 protected $mJavaDetected;
30 const MIN_LENGTH_PARTNAME
= 4;
31 const ILLEGAL_FILENAME
= 5;
32 const OVERWRITE_EXISTING_FILE
= 7; # Not used anymore; handled by verifyTitlePermissions()
33 const FILETYPE_MISSING
= 8;
34 const FILETYPE_BADTYPE
= 9;
35 const VERIFICATION_ERROR
= 10;
37 # HOOK_ABORTED is the new name of UPLOAD_VERIFICATION_ERROR
38 const UPLOAD_VERIFICATION_ERROR
= 11;
39 const HOOK_ABORTED
= 11;
40 const FILE_TOO_LARGE
= 12;
41 const WINDOWS_NONASCII_FILENAME
= 13;
42 const FILENAME_TOO_LONG
= 14;
44 public function getVerificationErrorCode( $error ) {
45 $code_to_status = array(self
::EMPTY_FILE
=> 'empty-file',
46 self
::FILE_TOO_LARGE
=> 'file-too-large',
47 self
::FILETYPE_MISSING
=> 'filetype-missing',
48 self
::FILETYPE_BADTYPE
=> 'filetype-banned',
49 self
::MIN_LENGTH_PARTNAME
=> 'filename-tooshort',
50 self
::ILLEGAL_FILENAME
=> 'illegal-filename',
51 self
::OVERWRITE_EXISTING_FILE
=> 'overwrite',
52 self
::VERIFICATION_ERROR
=> 'verification-error',
53 self
::HOOK_ABORTED
=> 'hookaborted',
54 self
::WINDOWS_NONASCII_FILENAME
=> 'windows-nonascii-filename',
55 self
::FILENAME_TOO_LONG
=> 'filename-toolong',
57 if( isset( $code_to_status[$error] ) ) {
58 return $code_to_status[$error];
61 return 'unknown-error';
65 * Returns true if uploads are enabled.
66 * Can be override by subclasses.
69 public static function isEnabled() {
70 global $wgEnableUploads;
72 if ( !$wgEnableUploads ) {
76 # Check php's file_uploads setting
77 return wfIsHipHop() ||
wfIniGetBool( 'file_uploads' );
81 * Returns true if the user can use this upload module or else a string
82 * identifying the missing permission.
83 * Can be overriden by subclasses.
88 public static function isAllowed( $user ) {
89 foreach ( array( 'upload', 'edit' ) as $permission ) {
90 if ( !$user->isAllowed( $permission ) ) {
97 // Upload handlers. Should probably just be a global.
98 static $uploadHandlers = array( 'Stash', 'File', 'Url' );
101 * Create a form of UploadBase depending on wpSourceType and initializes it
103 * @param $request WebRequest
107 public static function createFromRequest( &$request, $type = null ) {
108 $type = $type ?
$type : $request->getVal( 'wpSourceType', 'File' );
114 // Get the upload class
115 $type = ucfirst( $type );
117 // Give hooks the chance to handle this request
119 wfRunHooks( 'UploadCreateFromRequest', array( $type, &$className ) );
120 if ( is_null( $className ) ) {
121 $className = 'UploadFrom' . $type;
122 wfDebug( __METHOD__
. ": class name: $className\n" );
123 if( !in_array( $type, self
::$uploadHandlers ) ) {
128 // Check whether this upload class is enabled
129 if( !call_user_func( array( $className, 'isEnabled' ) ) ) {
133 // Check whether the request is valid
134 if( !call_user_func( array( $className, 'isValidRequest' ), $request ) ) {
138 $handler = new $className;
140 $handler->initializeFromRequest( $request );
145 * Check whether a request if valid for this handler
148 public static function isValidRequest( $request ) {
152 public function __construct() {}
155 * Returns the upload type. Should be overridden by child classes
160 public function getSourceType() { return null; }
163 * Initialize the path information
164 * @param $name string the desired destination name
165 * @param $tempPath string the temporary path
166 * @param $fileSize int the file size
167 * @param $removeTempFile bool (false) remove the temporary file?
170 public function initializePathInfo( $name, $tempPath, $fileSize, $removeTempFile = false ) {
171 $this->mDesiredDestName
= $name;
172 if ( FileBackend
::isStoragePath( $tempPath ) ) {
173 throw new MWException( __METHOD__
. " given storage path `$tempPath`." );
175 $this->mTempPath
= $tempPath;
176 $this->mFileSize
= $fileSize;
177 $this->mRemoveTempFile
= $removeTempFile;
181 * Initialize from a WebRequest. Override this in a subclass.
183 public abstract function initializeFromRequest( &$request );
186 * Fetch the file. Usually a no-op
189 public function fetchFile() {
190 return Status
::newGood();
194 * Return true if the file is empty
197 public function isEmptyFile() {
198 return empty( $this->mFileSize
);
202 * Return the file size
205 public function getFileSize() {
206 return $this->mFileSize
;
210 * @param $srcPath String: the source path
211 * @return stringthe real path if it was a virtual URL
213 function getRealPath( $srcPath ) {
214 $repo = RepoGroup
::singleton()->getLocalRepo();
215 if ( $repo->isVirtualUrl( $srcPath ) ) {
216 // @TODO: just make uploads work with storage paths
217 // UploadFromStash loads files via virtuals URLs
218 $tmpFile = $repo->getLocalCopy( $srcPath );
219 $tmpFile->bind( $this ); // keep alive with $thumb
220 return $tmpFile->getPath();
226 * Verify whether the upload is sane.
227 * @return mixed self::OK or else an array with error information
229 public function verifyUpload() {
231 * If there was no filename or a zero size given, give up quick.
233 if( $this->isEmptyFile() ) {
234 return array( 'status' => self
::EMPTY_FILE
);
238 * Honor $wgMaxUploadSize
240 $maxSize = self
::getMaxUploadSize( $this->getSourceType() );
241 if( $this->mFileSize
> $maxSize ) {
243 'status' => self
::FILE_TOO_LARGE
,
249 * Look at the contents of the file; if we can recognize the
250 * type but it's corrupt or data of the wrong type, we should
251 * probably not accept it.
253 $verification = $this->verifyFile();
254 if( $verification !== true ) {
256 'status' => self
::VERIFICATION_ERROR
,
257 'details' => $verification
262 * Make sure this file can be created
264 $result = $this->validateName();
265 if( $result !== true ) {
270 if( !wfRunHooks( 'UploadVerification',
271 array( $this->mDestName
, $this->mTempPath
, &$error ) ) ) {
272 return array( 'status' => self
::HOOK_ABORTED
, 'error' => $error );
275 return array( 'status' => self
::OK
);
279 * Verify that the name is valid and, if necessary, that we can overwrite
281 * @return mixed true if valid, otherwise and array with 'status'
284 protected function validateName() {
285 $nt = $this->getTitle();
286 if( is_null( $nt ) ) {
287 $result = array( 'status' => $this->mTitleError
);
288 if( $this->mTitleError
== self
::ILLEGAL_FILENAME
) {
289 $result['filtered'] = $this->mFilteredName
;
291 if ( $this->mTitleError
== self
::FILETYPE_BADTYPE
) {
292 $result['finalExt'] = $this->mFinalExtension
;
293 if ( count( $this->mBlackListedExtensions
) ) {
294 $result['blacklistedExt'] = $this->mBlackListedExtensions
;
299 $this->mDestName
= $this->getLocalFile()->getName();
305 * Verify the mime type
307 * @param $mime string representing the mime
308 * @return mixed true if the file is verified, an array otherwise
310 protected function verifyMimeType( $mime ) {
311 global $wgVerifyMimeType;
312 if ( $wgVerifyMimeType ) {
313 wfDebug ( "\n\nmime: <$mime> extension: <{$this->mFinalExtension}>\n\n");
314 global $wgMimeTypeBlacklist;
315 if ( $this->checkFileExtension( $mime, $wgMimeTypeBlacklist ) ) {
316 return array( 'filetype-badmime', $mime );
319 # XXX: Missing extension will be caught by validateName() via getTitle()
320 if ( $this->mFinalExtension
!= '' && !$this->verifyExtension( $mime, $this->mFinalExtension
) ) {
321 return array( 'filetype-mime-mismatch', $this->mFinalExtension
, $mime );
325 $fp = fopen( $this->mTempPath
, 'rb' );
326 $chunk = fread( $fp, 256 );
329 $magic = MimeMagic
::singleton();
330 $extMime = $magic->guessTypesForExtension( $this->mFinalExtension
);
331 $ieTypes = $magic->getIEMimeTypes( $this->mTempPath
, $chunk, $extMime );
332 foreach ( $ieTypes as $ieType ) {
333 if ( $this->checkFileExtension( $ieType, $wgMimeTypeBlacklist ) ) {
334 return array( 'filetype-bad-ie-mime', $ieType );
343 * Verifies that it's ok to include the uploaded file
345 * @return mixed true of the file is verified, array otherwise.
347 protected function verifyFile() {
348 global $wgAllowJavaUploads, $wgDisableUploadScriptChecks;
349 # get the title, even though we are doing nothing with it, because
350 # we need to populate mFinalExtension
353 $this->mFileProps
= FSFile
::getPropsFromPath( $this->mTempPath
, $this->mFinalExtension
);
355 # check mime type, if desired
356 $mime = $this->mFileProps
[ 'file-mime' ];
357 $status = $this->verifyMimeType( $mime );
358 if ( $status !== true ) {
362 # check for htmlish code and javascript
363 if ( !$wgDisableUploadScriptChecks ) {
364 if( self
::detectScript( $this->mTempPath
, $mime, $this->mFinalExtension
) ) {
365 return array( 'uploadscripted' );
367 if( $this->mFinalExtension
== 'svg' ||
$mime == 'image/svg+xml' ) {
368 if( $this->detectScriptInSvg( $this->mTempPath
) ) {
369 return array( 'uploadscripted' );
374 # Check for Java applets, which if uploaded can bypass cross-site
376 if ( !$wgAllowJavaUploads ) {
377 $this->mJavaDetected
= false;
378 $zipStatus = ZipDirectoryReader
::read( $this->mTempPath
,
379 array( $this, 'zipEntryCallback' ) );
380 if ( !$zipStatus->isOK() ) {
381 $errors = $zipStatus->getErrorsArray();
382 $error = reset( $errors );
383 if ( $error[0] !== 'zip-wrong-format' ) {
387 if ( $this->mJavaDetected
) {
388 return array( 'uploadjava' );
392 # Scan the uploaded file for viruses
393 $virus = $this->detectVirus( $this->mTempPath
);
395 return array( 'uploadvirus', $virus );
398 $handler = MediaHandler
::getHandler( $mime );
400 $handlerStatus = $handler->verifyUpload( $this->mTempPath
);
401 if ( !$handlerStatus->isOK() ) {
402 $errors = $handlerStatus->getErrorsArray();
403 return reset( $errors );
407 wfRunHooks( 'UploadVerifyFile', array( $this, $mime, &$status ) );
408 if ( $status !== true ) {
412 wfDebug( __METHOD__
. ": all clear; passing.\n" );
417 * Callback for ZipDirectoryReader to detect Java class files.
419 function zipEntryCallback( $entry ) {
420 $names = array( $entry['name'] );
422 // If there is a null character, cut off the name at it, because JDK's
423 // ZIP_GetEntry() uses strcmp() if the name hashes match. If a file name
424 // were constructed which had ".class\0" followed by a string chosen to
425 // make the hash collide with the truncated name, that file could be
426 // returned in response to a request for the .class file.
427 $nullPos = strpos( $entry['name'], "\000" );
428 if ( $nullPos !== false ) {
429 $names[] = substr( $entry['name'], 0, $nullPos );
432 // If there is a trailing slash in the file name, we have to strip it,
433 // because that's what ZIP_GetEntry() does.
434 if ( preg_grep( '!\.class/?$!', $names ) ) {
435 $this->mJavaDetected
= true;
440 * Alias for verifyTitlePermissions. The function was originally 'verifyPermissions'
441 * but that suggests it's checking the user, when it's really checking the title + user combination.
442 * @param $user User object to verify the permissions against
443 * @return mixed An array as returned by getUserPermissionsErrors or true
444 * in case the user has proper permissions.
446 public function verifyPermissions( $user ) {
447 return $this->verifyTitlePermissions( $user );
451 * Check whether the user can edit, upload and create the image. This
452 * checks only against the current title; if it returns errors, it may
453 * very well be that another title will not give errors. Therefore
454 * isAllowed() should be called as well for generic is-user-blocked or
455 * can-user-upload checking.
457 * @param $user User object to verify the permissions against
458 * @return mixed An array as returned by getUserPermissionsErrors or true
459 * in case the user has proper permissions.
461 public function verifyTitlePermissions( $user ) {
463 * If the image is protected, non-sysop users won't be able
464 * to modify it by uploading a new revision.
466 $nt = $this->getTitle();
467 if( is_null( $nt ) ) {
470 $permErrors = $nt->getUserPermissionsErrors( 'edit', $user );
471 $permErrorsUpload = $nt->getUserPermissionsErrors( 'upload', $user );
472 if ( !$nt->exists() ) {
473 $permErrorsCreate = $nt->getUserPermissionsErrors( 'create', $user );
475 $permErrorsCreate = array();
477 if( $permErrors ||
$permErrorsUpload ||
$permErrorsCreate ) {
478 $permErrors = array_merge( $permErrors, wfArrayDiff2( $permErrorsUpload, $permErrors ) );
479 $permErrors = array_merge( $permErrors, wfArrayDiff2( $permErrorsCreate, $permErrors ) );
483 $overwriteError = $this->checkOverwrite( $user );
484 if ( $overwriteError !== true ) {
485 return array( $overwriteError );
492 * Check for non fatal problems with the file
494 * @return Array of warnings
496 public function checkWarnings() {
501 $localFile = $this->getLocalFile();
502 $filename = $localFile->getName();
505 * Check whether the resulting filename is different from the desired one,
506 * but ignore things like ucfirst() and spaces/underscore things
508 $comparableName = str_replace( ' ', '_', $this->mDesiredDestName
);
509 $comparableName = Title
::capitalize( $comparableName, NS_FILE
);
511 if( $this->mDesiredDestName
!= $filename && $comparableName != $filename ) {
512 $warnings['badfilename'] = $filename;
515 // Check whether the file extension is on the unwanted list
516 global $wgCheckFileExtensions, $wgFileExtensions;
517 if ( $wgCheckFileExtensions ) {
518 if ( !$this->checkFileExtension( $this->mFinalExtension
, $wgFileExtensions ) ) {
519 $warnings['filetype-unwanted-type'] = array( $this->mFinalExtension
,
520 $wgLang->commaList( $wgFileExtensions ), count( $wgFileExtensions ) );
524 global $wgUploadSizeWarning;
525 if ( $wgUploadSizeWarning && ( $this->mFileSize
> $wgUploadSizeWarning ) ) {
526 $warnings['large-file'] = $wgUploadSizeWarning;
529 if ( $this->mFileSize
== 0 ) {
530 $warnings['emptyfile'] = true;
533 $exists = self
::getExistsWarning( $localFile );
534 if( $exists !== false ) {
535 $warnings['exists'] = $exists;
538 // Check dupes against existing files
539 $hash = FSFile
::getSha1Base36FromPath( $this->mTempPath
);
540 $dupes = RepoGroup
::singleton()->findBySha1( $hash );
541 $title = $this->getTitle();
542 // Remove all matches against self
543 foreach ( $dupes as $key => $dupe ) {
544 if( $title->equals( $dupe->getTitle() ) ) {
545 unset( $dupes[$key] );
549 $warnings['duplicate'] = $dupes;
552 // Check dupes against archives
553 $archivedImage = new ArchivedFile( null, 0, "{$hash}.{$this->mFinalExtension}" );
554 if ( $archivedImage->getID() > 0 ) {
555 $warnings['duplicate-archive'] = $archivedImage->getName();
562 * Really perform the upload. Stores the file in the local repo, watches
563 * if necessary and runs the UploadComplete hook.
567 * @return Status indicating the whether the upload succeeded.
569 public function performUpload( $comment, $pageText, $watch, $user ) {
570 $status = $this->getLocalFile()->upload(
580 if( $status->isGood() ) {
582 $user->addWatch( $this->getLocalFile()->getTitle() );
585 wfRunHooks( 'UploadComplete', array( &$this ) );
592 * Returns the title of the file to be uploaded. Sets mTitleError in case
593 * the name was illegal.
595 * @return Title The title of the file or null in case the name was illegal
597 public function getTitle() {
598 if ( $this->mTitle
!== false ) {
599 return $this->mTitle
;
602 /* Assume that if a user specified File:Something.jpg, this is an error
603 * and that the namespace prefix needs to be stripped of.
605 $title = Title
::newFromText( $this->mDesiredDestName
);
606 if ( $title && $title->getNamespace() == NS_FILE
) {
607 $this->mFilteredName
= $title->getDBkey();
609 $this->mFilteredName
= $this->mDesiredDestName
;
612 # oi_archive_name is max 255 bytes, which include a timestamp and an
613 # exclamation mark, so restrict file name to 240 bytes.
614 if ( strlen( $this->mFilteredName
) > 240 ) {
615 $this->mTitleError
= self
::FILENAME_TOO_LONG
;
616 return $this->mTitle
= null;
620 * Chop off any directories in the given filename. Then
621 * filter out illegal characters, and try to make a legible name
622 * out of it. We'll strip some silently that Title would die on.
624 $this->mFilteredName
= wfStripIllegalFilenameChars( $this->mFilteredName
);
625 /* Normalize to title form before we do any further processing */
626 $nt = Title
::makeTitleSafe( NS_FILE
, $this->mFilteredName
);
627 if( is_null( $nt ) ) {
628 $this->mTitleError
= self
::ILLEGAL_FILENAME
;
629 return $this->mTitle
= null;
631 $this->mFilteredName
= $nt->getDBkey();
636 * We'll want to blacklist against *any* 'extension', and use
637 * only the final one for the whitelist.
639 list( $partname, $ext ) = $this->splitExtensions( $this->mFilteredName
);
641 if( count( $ext ) ) {
642 $this->mFinalExtension
= trim( $ext[count( $ext ) - 1] );
644 $this->mFinalExtension
= '';
646 # No extension, try guessing one
647 $magic = MimeMagic
::singleton();
648 $mime = $magic->guessMimeType( $this->mTempPath
);
649 if ( $mime !== 'unknown/unknown' ) {
650 # Get a space separated list of extensions
651 $extList = $magic->getExtensionsForType( $mime );
653 # Set the extension to the canonical extension
654 $this->mFinalExtension
= strtok( $extList, ' ' );
656 # Fix up the other variables
657 $this->mFilteredName
.= ".{$this->mFinalExtension}";
658 $nt = Title
::makeTitleSafe( NS_FILE
, $this->mFilteredName
);
659 $ext = array( $this->mFinalExtension
);
665 /* Don't allow users to override the blacklist (check file extension) */
666 global $wgCheckFileExtensions, $wgStrictFileExtensions;
667 global $wgFileExtensions, $wgFileBlacklist;
669 $blackListedExtensions = $this->checkFileExtensionList( $ext, $wgFileBlacklist );
671 if ( $this->mFinalExtension
== '' ) {
672 $this->mTitleError
= self
::FILETYPE_MISSING
;
673 return $this->mTitle
= null;
674 } elseif ( $blackListedExtensions ||
675 ( $wgCheckFileExtensions && $wgStrictFileExtensions &&
676 !$this->checkFileExtensionList( $ext, $wgFileExtensions ) ) ) {
677 $this->mBlackListedExtensions
= $blackListedExtensions;
678 $this->mTitleError
= self
::FILETYPE_BADTYPE
;
679 return $this->mTitle
= null;
682 // Windows may be broken with special characters, see bug XXX
683 if ( wfIsWindows() && !preg_match( '/^[\x0-\x7f]*$/', $nt->getText() ) ) {
684 $this->mTitleError
= self
::WINDOWS_NONASCII_FILENAME
;
685 return $this->mTitle
= null;
688 # If there was more than one "extension", reassemble the base
689 # filename to prevent bogus complaints about length
690 if( count( $ext ) > 1 ) {
691 for( $i = 0; $i < count( $ext ) - 1; $i++
) {
692 $partname .= '.' . $ext[$i];
696 if( strlen( $partname ) < 1 ) {
697 $this->mTitleError
= self
::MIN_LENGTH_PARTNAME
;
698 return $this->mTitle
= null;
701 return $this->mTitle
= $nt;
705 * Return the local file and initializes if necessary.
709 public function getLocalFile() {
710 if( is_null( $this->mLocalFile
) ) {
711 $nt = $this->getTitle();
712 $this->mLocalFile
= is_null( $nt ) ?
null : wfLocalFile( $nt );
714 return $this->mLocalFile
;
718 * NOTE: Probably should be deprecated in favor of UploadStash, but this is sometimes
719 * called outside that context.
721 * Stash a file in a temporary directory for later processing
722 * after the user has confirmed it.
724 * If the user doesn't explicitly cancel or accept, these files
725 * can accumulate in the temp directory.
727 * @param $saveName String: the destination filename
728 * @param $tempSrc String: the source temporary file to save
729 * @return String: full path the stashed file, or false on failure
731 protected function saveTempUploadedFile( $saveName, $tempSrc ) {
732 $repo = RepoGroup
::singleton()->getLocalRepo();
733 $status = $repo->storeTemp( $saveName, $tempSrc );
738 * If the user does not supply all necessary information in the first upload form submission (either by accident or
739 * by design) then we may want to stash the file temporarily, get more information, and publish the file later.
741 * This method will stash a file in a temporary directory for later processing, and save the necessary descriptive info
743 * This method returns the file object, which also has a 'fileKey' property which can be passed through a form or
744 * API request to find this stashed file again.
746 * @return UploadStashFile stashed file
748 public function stashFile() {
749 // was stashSessionFile
750 $stash = RepoGroup
::singleton()->getLocalRepo()->getUploadStash();
751 $file = $stash->stashFile( $this->mTempPath
, $this->getSourceType() );
752 $this->mLocalFile
= $file;
757 * Stash a file in a temporary directory, returning a key which can be used to find the file again. See stashFile().
759 * @return String: file key
761 public function stashFileGetKey() {
762 return $this->stashFile()->getFileKey();
766 * alias for stashFileGetKey, for backwards compatibility
768 * @return String: file key
770 public function stashSession() {
771 return $this->stashFileGetKey();
775 * If we've modified the upload file we need to manually remove it
776 * on exit to clean up.
778 public function cleanupTempFile() {
779 if ( $this->mRemoveTempFile
&& $this->mTempPath
&& file_exists( $this->mTempPath
) ) {
780 wfDebug( __METHOD__
. ": Removing temporary file {$this->mTempPath}\n" );
781 unlink( $this->mTempPath
);
785 public function getTempPath() {
786 return $this->mTempPath
;
790 * Split a file into a base name and all dot-delimited 'extensions'
791 * on the end. Some web server configurations will fall back to
792 * earlier pseudo-'extensions' to determine type and execute
793 * scripts, so the blacklist needs to check them all.
797 public static function splitExtensions( $filename ) {
798 $bits = explode( '.', $filename );
799 $basename = array_shift( $bits );
800 return array( $basename, $bits );
804 * Perform case-insensitive match against a list of file extensions.
805 * Returns true if the extension is in the list.
811 public static function checkFileExtension( $ext, $list ) {
812 return in_array( strtolower( $ext ), $list );
816 * Perform case-insensitive match against a list of file extensions.
817 * Returns an array of matching extensions.
823 public static function checkFileExtensionList( $ext, $list ) {
824 return array_intersect( array_map( 'strtolower', $ext ), $list );
828 * Checks if the mime type of the uploaded file matches the file extension.
830 * @param $mime String: the mime type of the uploaded file
831 * @param $extension String: the filename extension that the file is to be served with
834 public static function verifyExtension( $mime, $extension ) {
835 $magic = MimeMagic
::singleton();
837 if ( !$mime ||
$mime == 'unknown' ||
$mime == 'unknown/unknown' )
838 if ( !$magic->isRecognizableExtension( $extension ) ) {
839 wfDebug( __METHOD__
. ": passing file with unknown detected mime type; " .
840 "unrecognized extension '$extension', can't verify\n" );
843 wfDebug( __METHOD__
. ": rejecting file with unknown detected mime type; ".
844 "recognized extension '$extension', so probably invalid file\n" );
848 $match = $magic->isMatchingExtension( $extension, $mime );
850 if ( $match === null ) {
851 wfDebug( __METHOD__
. ": no file extension known for mime type $mime, passing file\n" );
853 } elseif( $match === true ) {
854 wfDebug( __METHOD__
. ": mime type $mime matches extension $extension, passing file\n" );
856 #TODO: if it's a bitmap, make sure PHP or ImageMagic resp. can handle it!
860 wfDebug( __METHOD__
. ": mime type $mime mismatches file extension $extension, rejecting file\n" );
866 * Heuristic for detecting files that *could* contain JavaScript instructions or
867 * things that may look like HTML to a browser and are thus
868 * potentially harmful. The present implementation will produce false
869 * positives in some situations.
871 * @param $file String: pathname to the temporary upload file
872 * @param $mime String: the mime type of the file
873 * @param $extension String: the extension of the file
874 * @return Boolean: true if the file contains something looking like embedded scripts
876 public static function detectScript( $file, $mime, $extension ) {
877 global $wgAllowTitlesInSVG;
879 # ugly hack: for text files, always look at the entire file.
880 # For binary field, just check the first K.
882 if( strpos( $mime,'text/' ) === 0 ) {
883 $chunk = file_get_contents( $file );
885 $fp = fopen( $file, 'rb' );
886 $chunk = fread( $fp, 1024 );
890 $chunk = strtolower( $chunk );
896 # decode from UTF-16 if needed (could be used for obfuscation).
897 if( substr( $chunk, 0, 2 ) == "\xfe\xff" ) {
899 } elseif( substr( $chunk, 0, 2 ) == "\xff\xfe" ) {
906 $chunk = iconv( $enc, "ASCII//IGNORE", $chunk );
909 $chunk = trim( $chunk );
911 # @todo FIXME: Convert from UTF-16 if necessarry!
912 wfDebug( __METHOD__
. ": checking for embedded scripts and HTML stuff\n" );
914 # check for HTML doctype
915 if ( preg_match( "/<!DOCTYPE *X?HTML/i", $chunk ) ) {
920 * Internet Explorer for Windows performs some really stupid file type
921 * autodetection which can cause it to interpret valid image files as HTML
922 * and potentially execute JavaScript, creating a cross-site scripting
925 * Apple's Safari browser also performs some unsafe file type autodetection
926 * which can cause legitimate files to be interpreted as HTML if the
927 * web server is not correctly configured to send the right content-type
928 * (or if you're really uploading plain text and octet streams!)
930 * Returns true if IE is likely to mistake the given file for HTML.
931 * Also returns true if Safari would mistake the given file for HTML
932 * when served with a generic content-type.
938 '<html', #also in safari
941 '<script', #also in safari
945 if( !$wgAllowTitlesInSVG && $extension !== 'svg' && $mime !== 'image/svg' ) {
949 foreach( $tags as $tag ) {
950 if( false !== strpos( $chunk, $tag ) ) {
951 wfDebug( __METHOD__
. ": found something that may make it be mistaken for html: $tag\n" );
957 * look for JavaScript
960 # resolve entity-refs to look at attributes. may be harsh on big files... cache result?
961 $chunk = Sanitizer
::decodeCharReferences( $chunk );
963 # look for script-types
964 if( preg_match( '!type\s*=\s*[\'"]?\s*(?:\w*/)?(?:ecma|java)!sim', $chunk ) ) {
965 wfDebug( __METHOD__
. ": found script types\n" );
969 # look for html-style script-urls
970 if( preg_match( '!(?:href|src|data)\s*=\s*[\'"]?\s*(?:ecma|java)script:!sim', $chunk ) ) {
971 wfDebug( __METHOD__
. ": found html-style script urls\n" );
975 # look for css-style script-urls
976 if( preg_match( '!url\s*\(\s*[\'"]?\s*(?:ecma|java)script:!sim', $chunk ) ) {
977 wfDebug( __METHOD__
. ": found css-style script urls\n" );
981 wfDebug( __METHOD__
. ": no scripts found\n" );
985 protected function detectScriptInSvg( $filename ) {
986 $check = new XmlTypeCheck( $filename, array( $this, 'checkSvgScriptCallback' ) );
987 return $check->filterMatch
;
991 * @todo Replace this with a whitelist filter!
994 public function checkSvgScriptCallback( $element, $attribs ) {
995 $stripped = $this->stripXmlNamespace( $element );
997 if( $stripped == 'script' ) {
998 wfDebug( __METHOD__
. ": Found script element '$element' in uploaded file.\n" );
1002 foreach( $attribs as $attrib => $value ) {
1003 $stripped = $this->stripXmlNamespace( $attrib );
1004 if( substr( $stripped, 0, 2 ) == 'on' ) {
1005 wfDebug( __METHOD__
. ": Found script attribute '$attrib'='value' in uploaded file.\n" );
1008 if( $stripped == 'href' && strpos( strtolower( $value ), 'javascript:' ) !== false ) {
1009 wfDebug( __METHOD__
. ": Found script href attribute '$attrib'='$value' in uploaded file.\n" );
1015 private function stripXmlNamespace( $name ) {
1016 // 'http://www.w3.org/2000/svg:script' -> 'script'
1017 $parts = explode( ':', strtolower( $name ) );
1018 return array_pop( $parts );
1022 * Generic wrapper function for a virus scanner program.
1023 * This relies on the $wgAntivirus and $wgAntivirusSetup variables.
1024 * $wgAntivirusRequired may be used to deny upload if the scan fails.
1026 * @param $file String: pathname to the temporary upload file
1027 * @return mixed false if not virus is found, NULL if the scan fails or is disabled,
1028 * or a string containing feedback from the virus scanner if a virus was found.
1029 * If textual feedback is missing but a virus was found, this function returns true.
1031 public static function detectVirus( $file ) {
1032 global $wgAntivirus, $wgAntivirusSetup, $wgAntivirusRequired, $wgOut;
1034 if ( !$wgAntivirus ) {
1035 wfDebug( __METHOD__
. ": virus scanner disabled\n" );
1039 if ( !$wgAntivirusSetup[$wgAntivirus] ) {
1040 wfDebug( __METHOD__
. ": unknown virus scanner: $wgAntivirus\n" );
1041 $wgOut->wrapWikiMsg( "<div class=\"error\">\n$1\n</div>",
1042 array( 'virus-badscanner', $wgAntivirus ) );
1043 return wfMsg( 'virus-unknownscanner' ) . " $wgAntivirus";
1046 # look up scanner configuration
1047 $command = $wgAntivirusSetup[$wgAntivirus]['command'];
1048 $exitCodeMap = $wgAntivirusSetup[$wgAntivirus]['codemap'];
1049 $msgPattern = isset( $wgAntivirusSetup[$wgAntivirus]['messagepattern'] ) ?
1050 $wgAntivirusSetup[$wgAntivirus]['messagepattern'] : null;
1052 if ( strpos( $command, "%f" ) === false ) {
1053 # simple pattern: append file to scan
1054 $command .= " " . wfEscapeShellArg( $file );
1056 # complex pattern: replace "%f" with file to scan
1057 $command = str_replace( "%f", wfEscapeShellArg( $file ), $command );
1060 wfDebug( __METHOD__
. ": running virus scan: $command \n" );
1062 # execute virus scanner
1065 # NOTE: there's a 50 line workaround to make stderr redirection work on windows, too.
1066 # that does not seem to be worth the pain.
1067 # Ask me (Duesentrieb) about it if it's ever needed.
1068 $output = wfShellExec( "$command 2>&1", $exitCode );
1070 # map exit code to AV_xxx constants.
1071 $mappedCode = $exitCode;
1072 if ( $exitCodeMap ) {
1073 if ( isset( $exitCodeMap[$exitCode] ) ) {
1074 $mappedCode = $exitCodeMap[$exitCode];
1075 } elseif ( isset( $exitCodeMap["*"] ) ) {
1076 $mappedCode = $exitCodeMap["*"];
1080 if ( $mappedCode === AV_SCAN_FAILED
) {
1081 # scan failed (code was mapped to false by $exitCodeMap)
1082 wfDebug( __METHOD__
. ": failed to scan $file (code $exitCode).\n" );
1084 if ( $wgAntivirusRequired ) {
1085 return wfMsg( 'virus-scanfailed', array( $exitCode ) );
1089 } elseif ( $mappedCode === AV_SCAN_ABORTED
) {
1090 # scan failed because filetype is unknown (probably imune)
1091 wfDebug( __METHOD__
. ": unsupported file type $file (code $exitCode).\n" );
1093 } elseif ( $mappedCode === AV_NO_VIRUS
) {
1095 wfDebug( __METHOD__
. ": file passed virus scan.\n" );
1098 $output = trim( $output );
1101 $output = true; #if there's no output, return true
1102 } elseif ( $msgPattern ) {
1104 if ( preg_match( $msgPattern, $output, $groups ) ) {
1106 $output = $groups[1];
1111 wfDebug( __METHOD__
. ": FOUND VIRUS! scanner feedback: $output \n" );
1117 * Check if there's an overwrite conflict and, if so, if restrictions
1118 * forbid this user from performing the upload.
1122 * @return mixed true on success, array on failure
1124 private function checkOverwrite( $user ) {
1125 // First check whether the local file can be overwritten
1126 $file = $this->getLocalFile();
1127 if( $file->exists() ) {
1128 if( !self
::userCanReUpload( $user, $file ) ) {
1129 return array( 'fileexists-forbidden', $file->getName() );
1135 /* Check shared conflicts: if the local file does not exist, but
1136 * wfFindFile finds a file, it exists in a shared repository.
1138 $file = wfFindFile( $this->getTitle() );
1139 if ( $file && !$user->isAllowed( 'reupload-shared' ) ) {
1140 return array( 'fileexists-shared-forbidden', $file->getName() );
1147 * Check if a user is the last uploader
1149 * @param $user User object
1150 * @param $img String: image name
1153 public static function userCanReUpload( User
$user, $img ) {
1154 if( $user->isAllowed( 'reupload' ) ) {
1155 return true; // non-conditional
1157 if( !$user->isAllowed( 'reupload-own' ) ) {
1160 if( is_string( $img ) ) {
1161 $img = wfLocalFile( $img );
1163 if ( !( $img instanceof LocalFile
) ) {
1167 return $user->getId() == $img->getUser( 'id' );
1171 * Helper function that does various existence checks for a file.
1172 * The following checks are performed:
1174 * - Article with the same name as the file exists
1175 * - File exists with normalized extension
1176 * - The file looks like a thumbnail and the original exists
1178 * @param $file File The File object to check
1179 * @return mixed False if the file does not exists, else an array
1181 public static function getExistsWarning( $file ) {
1182 if( $file->exists() ) {
1183 return array( 'warning' => 'exists', 'file' => $file );
1186 if( $file->getTitle()->getArticleID() ) {
1187 return array( 'warning' => 'page-exists', 'file' => $file );
1190 if ( $file->wasDeleted() && !$file->exists() ) {
1191 return array( 'warning' => 'was-deleted', 'file' => $file );
1194 if( strpos( $file->getName(), '.' ) == false ) {
1195 $partname = $file->getName();
1198 $n = strrpos( $file->getName(), '.' );
1199 $extension = substr( $file->getName(), $n +
1 );
1200 $partname = substr( $file->getName(), 0, $n );
1202 $normalizedExtension = File
::normalizeExtension( $extension );
1204 if ( $normalizedExtension != $extension ) {
1205 // We're not using the normalized form of the extension.
1206 // Normal form is lowercase, using most common of alternate
1207 // extensions (eg 'jpg' rather than 'JPEG').
1209 // Check for another file using the normalized form...
1210 $nt_lc = Title
::makeTitle( NS_FILE
, "{$partname}.{$normalizedExtension}" );
1211 $file_lc = wfLocalFile( $nt_lc );
1213 if( $file_lc->exists() ) {
1215 'warning' => 'exists-normalized',
1217 'normalizedFile' => $file_lc
1222 if ( self
::isThumbName( $file->getName() ) ) {
1223 # Check for filenames like 50px- or 180px-, these are mostly thumbnails
1224 $nt_thb = Title
::newFromText( substr( $partname , strpos( $partname , '-' ) +
1 ) . '.' . $extension, NS_FILE
);
1225 $file_thb = wfLocalFile( $nt_thb );
1226 if( $file_thb->exists() ) {
1228 'warning' => 'thumb',
1230 'thumbFile' => $file_thb
1233 // File does not exist, but we just don't like the name
1235 'warning' => 'thumb-name',
1237 'thumbFile' => $file_thb
1243 foreach( self
::getFilenamePrefixBlacklist() as $prefix ) {
1244 if ( substr( $partname, 0, strlen( $prefix ) ) == $prefix ) {
1246 'warning' => 'bad-prefix',
1257 * Helper function that checks whether the filename looks like a thumbnail
1260 public static function isThumbName( $filename ) {
1261 $n = strrpos( $filename, '.' );
1262 $partname = $n ?
substr( $filename, 0, $n ) : $filename;
1264 substr( $partname , 3, 3 ) == 'px-' ||
1265 substr( $partname , 2, 3 ) == 'px-'
1267 preg_match( "/[0-9]{2}/" , substr( $partname , 0, 2 ) );
1271 * Get a list of blacklisted filename prefixes from [[MediaWiki:Filename-prefix-blacklist]]
1273 * @return array list of prefixes
1275 public static function getFilenamePrefixBlacklist() {
1276 $blacklist = array();
1277 $message = wfMessage( 'filename-prefix-blacklist' )->inContentLanguage();
1278 if( !$message->isDisabled() ) {
1279 $lines = explode( "\n", $message->plain() );
1280 foreach( $lines as $line ) {
1281 // Remove comment lines
1282 $comment = substr( trim( $line ), 0, 1 );
1283 if ( $comment == '#' ||
$comment == '' ) {
1286 // Remove additional comments after a prefix
1287 $comment = strpos( $line, '#' );
1288 if ( $comment > 0 ) {
1289 $line = substr( $line, 0, $comment-1 );
1291 $blacklist[] = trim( $line );
1298 * Gets image info about the file just uploaded.
1300 * Also has the effect of setting metadata to be an 'indexed tag name' in returned API result if
1301 * 'metadata' was requested. Oddly, we have to pass the "result" object down just so it can do that
1302 * with the appropriate format, presumably.
1304 * @param $result ApiResult:
1305 * @return Array: image info
1307 public function getImageInfo( $result ) {
1308 $file = $this->getLocalFile();
1309 // TODO This cries out for refactoring. We really want to say $file->getAllInfo(); here.
1310 // Perhaps "info" methods should be moved into files, and the API should just wrap them in queries.
1311 if ( $file instanceof UploadStashFile
) {
1312 $imParam = ApiQueryStashImageInfo
::getPropertyNames();
1313 $info = ApiQueryStashImageInfo
::getInfo( $file, array_flip( $imParam ), $result );
1315 $imParam = ApiQueryImageInfo
::getPropertyNames();
1316 $info = ApiQueryImageInfo
::getInfo( $file, array_flip( $imParam ), $result );
1322 public function convertVerifyErrorToStatus( $error ) {
1323 $code = $error['status'];
1324 unset( $code['status'] );
1325 return Status
::newFatal( $this->getVerificationErrorCode( $code ), $error );
1328 public static function getMaxUploadSize( $forType = null ) {
1329 global $wgMaxUploadSize;
1331 if ( is_array( $wgMaxUploadSize ) ) {
1332 if ( !is_null( $forType ) && isset( $wgMaxUploadSize[$forType] ) ) {
1333 return $wgMaxUploadSize[$forType];
1335 return $wgMaxUploadSize['*'];
1338 return intval( $wgMaxUploadSize );