Change calls from Xml::namespaceSelector() to Html::namespaceSelector() since the...
[lhc/web/wiklou.git] / includes / upload / UploadBase.php
1 <?php
2 /**
3 * @defgroup Upload
4 */
5
6 /**
7 * @ingroup Upload
8 *
9 * UploadBase and subclasses are the backend of MediaWiki's file uploads.
10 * The frontends are formed by ApiUpload and SpecialUpload.
11 *
12 * See also includes/docs/upload.txt
13 *
14 * @author Brion Vibber
15 * @author Bryan Tong Minh
16 * @author Michael Dale
17 */
18 abstract class UploadBase {
19 protected $mTempPath;
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;
26
27 const SUCCESS = 0;
28 const OK = 0;
29 const EMPTY_FILE = 3;
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;
36
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;
43
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',
56 );
57 if( isset( $code_to_status[$error] ) ) {
58 return $code_to_status[$error];
59 }
60
61 return 'unknown-error';
62 }
63
64 /**
65 * Returns true if uploads are enabled.
66 * Can be override by subclasses.
67 * @return bool
68 */
69 public static function isEnabled() {
70 global $wgEnableUploads;
71
72 if ( !$wgEnableUploads ) {
73 return false;
74 }
75
76 # Check php's file_uploads setting
77 return wfIsHipHop() || wfIniGetBool( 'file_uploads' );
78 }
79
80 /**
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.
84 *
85 * @param $user User
86 * @return bool
87 */
88 public static function isAllowed( $user ) {
89 foreach ( array( 'upload', 'edit' ) as $permission ) {
90 if ( !$user->isAllowed( $permission ) ) {
91 return $permission;
92 }
93 }
94 return true;
95 }
96
97 // Upload handlers. Should probably just be a global.
98 static $uploadHandlers = array( 'Stash', 'File', 'Url' );
99
100 /**
101 * Create a form of UploadBase depending on wpSourceType and initializes it
102 *
103 * @param $request WebRequest
104 * @param $type
105 * @return null
106 */
107 public static function createFromRequest( &$request, $type = null ) {
108 $type = $type ? $type : $request->getVal( 'wpSourceType', 'File' );
109
110 if( !$type ) {
111 return null;
112 }
113
114 // Get the upload class
115 $type = ucfirst( $type );
116
117 // Give hooks the chance to handle this request
118 $className = null;
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 ) ) {
124 return null;
125 }
126 }
127
128 // Check whether this upload class is enabled
129 if( !call_user_func( array( $className, 'isEnabled' ) ) ) {
130 return null;
131 }
132
133 // Check whether the request is valid
134 if( !call_user_func( array( $className, 'isValidRequest' ), $request ) ) {
135 return null;
136 }
137
138 $handler = new $className;
139
140 $handler->initializeFromRequest( $request );
141 return $handler;
142 }
143
144 /**
145 * Check whether a request if valid for this handler
146 * @return bool
147 */
148 public static function isValidRequest( $request ) {
149 return false;
150 }
151
152 public function __construct() {}
153
154 /**
155 * Returns the upload type. Should be overridden by child classes
156 *
157 * @since 1.18
158 * @return string
159 */
160 public function getSourceType() { return null; }
161
162 /**
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?
168 * @return null
169 */
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`." );
174 }
175 $this->mTempPath = $tempPath;
176 $this->mFileSize = $fileSize;
177 $this->mRemoveTempFile = $removeTempFile;
178 }
179
180 /**
181 * Initialize from a WebRequest. Override this in a subclass.
182 */
183 public abstract function initializeFromRequest( &$request );
184
185 /**
186 * Fetch the file. Usually a no-op
187 * @return Status
188 */
189 public function fetchFile() {
190 return Status::newGood();
191 }
192
193 /**
194 * Return true if the file is empty
195 * @return bool
196 */
197 public function isEmptyFile() {
198 return empty( $this->mFileSize );
199 }
200
201 /**
202 * Return the file size
203 * @return integer
204 */
205 public function getFileSize() {
206 return $this->mFileSize;
207 }
208
209 /**
210 * @param $srcPath String: the source path
211 * @return stringthe real path if it was a virtual URL
212 */
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();
221 }
222 return $srcPath;
223 }
224
225 /**
226 * Verify whether the upload is sane.
227 * @return mixed self::OK or else an array with error information
228 */
229 public function verifyUpload() {
230 /**
231 * If there was no filename or a zero size given, give up quick.
232 */
233 if( $this->isEmptyFile() ) {
234 return array( 'status' => self::EMPTY_FILE );
235 }
236
237 /**
238 * Honor $wgMaxUploadSize
239 */
240 $maxSize = self::getMaxUploadSize( $this->getSourceType() );
241 if( $this->mFileSize > $maxSize ) {
242 return array(
243 'status' => self::FILE_TOO_LARGE,
244 'max' => $maxSize,
245 );
246 }
247
248 /**
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.
252 */
253 $verification = $this->verifyFile();
254 if( $verification !== true ) {
255 return array(
256 'status' => self::VERIFICATION_ERROR,
257 'details' => $verification
258 );
259 }
260
261 /**
262 * Make sure this file can be created
263 */
264 $result = $this->validateName();
265 if( $result !== true ) {
266 return $result;
267 }
268
269 $error = '';
270 if( !wfRunHooks( 'UploadVerification',
271 array( $this->mDestName, $this->mTempPath, &$error ) ) ) {
272 return array( 'status' => self::HOOK_ABORTED, 'error' => $error );
273 }
274
275 return array( 'status' => self::OK );
276 }
277
278 /**
279 * Verify that the name is valid and, if necessary, that we can overwrite
280 *
281 * @return mixed true if valid, otherwise and array with 'status'
282 * and other keys
283 **/
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;
290 }
291 if ( $this->mTitleError == self::FILETYPE_BADTYPE ) {
292 $result['finalExt'] = $this->mFinalExtension;
293 if ( count( $this->mBlackListedExtensions ) ) {
294 $result['blacklistedExt'] = $this->mBlackListedExtensions;
295 }
296 }
297 return $result;
298 }
299 $this->mDestName = $this->getLocalFile()->getName();
300
301 return true;
302 }
303
304 /**
305 * Verify the mime type
306 *
307 * @param $mime string representing the mime
308 * @return mixed true if the file is verified, an array otherwise
309 */
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 );
317 }
318
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 );
322 }
323
324 # Check IE type
325 $fp = fopen( $this->mTempPath, 'rb' );
326 $chunk = fread( $fp, 256 );
327 fclose( $fp );
328
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 );
335 }
336 }
337 }
338
339 return true;
340 }
341
342 /**
343 * Verifies that it's ok to include the uploaded file
344 *
345 * @return mixed true of the file is verified, array otherwise.
346 */
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
351 $this->getTitle();
352
353 $this->mFileProps = FSFile::getPropsFromPath( $this->mTempPath, $this->mFinalExtension );
354
355 # check mime type, if desired
356 $mime = $this->mFileProps[ 'file-mime' ];
357 $status = $this->verifyMimeType( $mime );
358 if ( $status !== true ) {
359 return $status;
360 }
361
362 # check for htmlish code and javascript
363 if ( !$wgDisableUploadScriptChecks ) {
364 if( self::detectScript( $this->mTempPath, $mime, $this->mFinalExtension ) ) {
365 return array( 'uploadscripted' );
366 }
367 if( $this->mFinalExtension == 'svg' || $mime == 'image/svg+xml' ) {
368 if( $this->detectScriptInSvg( $this->mTempPath ) ) {
369 return array( 'uploadscripted' );
370 }
371 }
372 }
373
374 # Check for Java applets, which if uploaded can bypass cross-site
375 # restrictions.
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' ) {
384 return $error;
385 }
386 }
387 if ( $this->mJavaDetected ) {
388 return array( 'uploadjava' );
389 }
390 }
391
392 # Scan the uploaded file for viruses
393 $virus = $this->detectVirus( $this->mTempPath );
394 if ( $virus ) {
395 return array( 'uploadvirus', $virus );
396 }
397
398 $handler = MediaHandler::getHandler( $mime );
399 if ( $handler ) {
400 $handlerStatus = $handler->verifyUpload( $this->mTempPath );
401 if ( !$handlerStatus->isOK() ) {
402 $errors = $handlerStatus->getErrorsArray();
403 return reset( $errors );
404 }
405 }
406
407 wfRunHooks( 'UploadVerifyFile', array( $this, $mime, &$status ) );
408 if ( $status !== true ) {
409 return $status;
410 }
411
412 wfDebug( __METHOD__ . ": all clear; passing.\n" );
413 return true;
414 }
415
416 /**
417 * Callback for ZipDirectoryReader to detect Java class files.
418 */
419 function zipEntryCallback( $entry ) {
420 $names = array( $entry['name'] );
421
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 );
430 }
431
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;
436 }
437 }
438
439 /**
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.
445 */
446 public function verifyPermissions( $user ) {
447 return $this->verifyTitlePermissions( $user );
448 }
449
450 /**
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.
456 *
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.
460 */
461 public function verifyTitlePermissions( $user ) {
462 /**
463 * If the image is protected, non-sysop users won't be able
464 * to modify it by uploading a new revision.
465 */
466 $nt = $this->getTitle();
467 if( is_null( $nt ) ) {
468 return true;
469 }
470 $permErrors = $nt->getUserPermissionsErrors( 'edit', $user );
471 $permErrorsUpload = $nt->getUserPermissionsErrors( 'upload', $user );
472 if ( !$nt->exists() ) {
473 $permErrorsCreate = $nt->getUserPermissionsErrors( 'create', $user );
474 } else {
475 $permErrorsCreate = array();
476 }
477 if( $permErrors || $permErrorsUpload || $permErrorsCreate ) {
478 $permErrors = array_merge( $permErrors, wfArrayDiff2( $permErrorsUpload, $permErrors ) );
479 $permErrors = array_merge( $permErrors, wfArrayDiff2( $permErrorsCreate, $permErrors ) );
480 return $permErrors;
481 }
482
483 $overwriteError = $this->checkOverwrite( $user );
484 if ( $overwriteError !== true ) {
485 return array( $overwriteError );
486 }
487
488 return true;
489 }
490
491 /**
492 * Check for non fatal problems with the file
493 *
494 * @return Array of warnings
495 */
496 public function checkWarnings() {
497 global $wgLang;
498
499 $warnings = array();
500
501 $localFile = $this->getLocalFile();
502 $filename = $localFile->getName();
503
504 /**
505 * Check whether the resulting filename is different from the desired one,
506 * but ignore things like ucfirst() and spaces/underscore things
507 */
508 $comparableName = str_replace( ' ', '_', $this->mDesiredDestName );
509 $comparableName = Title::capitalize( $comparableName, NS_FILE );
510
511 if( $this->mDesiredDestName != $filename && $comparableName != $filename ) {
512 $warnings['badfilename'] = $filename;
513 }
514
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 ) );
521 }
522 }
523
524 global $wgUploadSizeWarning;
525 if ( $wgUploadSizeWarning && ( $this->mFileSize > $wgUploadSizeWarning ) ) {
526 $warnings['large-file'] = $wgUploadSizeWarning;
527 }
528
529 if ( $this->mFileSize == 0 ) {
530 $warnings['emptyfile'] = true;
531 }
532
533 $exists = self::getExistsWarning( $localFile );
534 if( $exists !== false ) {
535 $warnings['exists'] = $exists;
536 }
537
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] );
546 }
547 }
548 if( $dupes ) {
549 $warnings['duplicate'] = $dupes;
550 }
551
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();
556 }
557
558 return $warnings;
559 }
560
561 /**
562 * Really perform the upload. Stores the file in the local repo, watches
563 * if necessary and runs the UploadComplete hook.
564 *
565 * @param $user User
566 *
567 * @return Status indicating the whether the upload succeeded.
568 */
569 public function performUpload( $comment, $pageText, $watch, $user ) {
570 $status = $this->getLocalFile()->upload(
571 $this->mTempPath,
572 $comment,
573 $pageText,
574 File::DELETE_SOURCE,
575 $this->mFileProps,
576 false,
577 $user
578 );
579
580 if( $status->isGood() ) {
581 if ( $watch ) {
582 $user->addWatch( $this->getLocalFile()->getTitle() );
583 }
584
585 wfRunHooks( 'UploadComplete', array( &$this ) );
586 }
587
588 return $status;
589 }
590
591 /**
592 * Returns the title of the file to be uploaded. Sets mTitleError in case
593 * the name was illegal.
594 *
595 * @return Title The title of the file or null in case the name was illegal
596 */
597 public function getTitle() {
598 if ( $this->mTitle !== false ) {
599 return $this->mTitle;
600 }
601
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.
604 */
605 $title = Title::newFromText( $this->mDesiredDestName );
606 if ( $title && $title->getNamespace() == NS_FILE ) {
607 $this->mFilteredName = $title->getDBkey();
608 } else {
609 $this->mFilteredName = $this->mDesiredDestName;
610 }
611
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;
617 }
618
619 /**
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.
623 */
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;
630 }
631 $this->mFilteredName = $nt->getDBkey();
632
633
634
635 /**
636 * We'll want to blacklist against *any* 'extension', and use
637 * only the final one for the whitelist.
638 */
639 list( $partname, $ext ) = $this->splitExtensions( $this->mFilteredName );
640
641 if( count( $ext ) ) {
642 $this->mFinalExtension = trim( $ext[count( $ext ) - 1] );
643 } else {
644 $this->mFinalExtension = '';
645
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 );
652 if ( $extList ) {
653 # Set the extension to the canonical extension
654 $this->mFinalExtension = strtok( $extList, ' ' );
655
656 # Fix up the other variables
657 $this->mFilteredName .= ".{$this->mFinalExtension}";
658 $nt = Title::makeTitleSafe( NS_FILE, $this->mFilteredName );
659 $ext = array( $this->mFinalExtension );
660 }
661 }
662
663 }
664
665 /* Don't allow users to override the blacklist (check file extension) */
666 global $wgCheckFileExtensions, $wgStrictFileExtensions;
667 global $wgFileExtensions, $wgFileBlacklist;
668
669 $blackListedExtensions = $this->checkFileExtensionList( $ext, $wgFileBlacklist );
670
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;
680 }
681
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;
686 }
687
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];
693 }
694 }
695
696 if( strlen( $partname ) < 1 ) {
697 $this->mTitleError = self::MIN_LENGTH_PARTNAME;
698 return $this->mTitle = null;
699 }
700
701 return $this->mTitle = $nt;
702 }
703
704 /**
705 * Return the local file and initializes if necessary.
706 *
707 * @return LocalFile
708 */
709 public function getLocalFile() {
710 if( is_null( $this->mLocalFile ) ) {
711 $nt = $this->getTitle();
712 $this->mLocalFile = is_null( $nt ) ? null : wfLocalFile( $nt );
713 }
714 return $this->mLocalFile;
715 }
716
717 /**
718 * NOTE: Probably should be deprecated in favor of UploadStash, but this is sometimes
719 * called outside that context.
720 *
721 * Stash a file in a temporary directory for later processing
722 * after the user has confirmed it.
723 *
724 * If the user doesn't explicitly cancel or accept, these files
725 * can accumulate in the temp directory.
726 *
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
730 */
731 protected function saveTempUploadedFile( $saveName, $tempSrc ) {
732 $repo = RepoGroup::singleton()->getLocalRepo();
733 $status = $repo->storeTemp( $saveName, $tempSrc );
734 return $status;
735 }
736
737 /**
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.
740 *
741 * This method will stash a file in a temporary directory for later processing, and save the necessary descriptive info
742 * into the database.
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.
745 *
746 * @return UploadStashFile stashed file
747 */
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;
753 return $file;
754 }
755
756 /**
757 * Stash a file in a temporary directory, returning a key which can be used to find the file again. See stashFile().
758 *
759 * @return String: file key
760 */
761 public function stashFileGetKey() {
762 return $this->stashFile()->getFileKey();
763 }
764
765 /**
766 * alias for stashFileGetKey, for backwards compatibility
767 *
768 * @return String: file key
769 */
770 public function stashSession() {
771 return $this->stashFileGetKey();
772 }
773
774 /**
775 * If we've modified the upload file we need to manually remove it
776 * on exit to clean up.
777 */
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 );
782 }
783 }
784
785 public function getTempPath() {
786 return $this->mTempPath;
787 }
788
789 /**
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.
794 *
795 * @return array
796 */
797 public static function splitExtensions( $filename ) {
798 $bits = explode( '.', $filename );
799 $basename = array_shift( $bits );
800 return array( $basename, $bits );
801 }
802
803 /**
804 * Perform case-insensitive match against a list of file extensions.
805 * Returns true if the extension is in the list.
806 *
807 * @param $ext String
808 * @param $list Array
809 * @return Boolean
810 */
811 public static function checkFileExtension( $ext, $list ) {
812 return in_array( strtolower( $ext ), $list );
813 }
814
815 /**
816 * Perform case-insensitive match against a list of file extensions.
817 * Returns an array of matching extensions.
818 *
819 * @param $ext Array
820 * @param $list Array
821 * @return Boolean
822 */
823 public static function checkFileExtensionList( $ext, $list ) {
824 return array_intersect( array_map( 'strtolower', $ext ), $list );
825 }
826
827 /**
828 * Checks if the mime type of the uploaded file matches the file extension.
829 *
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
832 * @return Boolean
833 */
834 public static function verifyExtension( $mime, $extension ) {
835 $magic = MimeMagic::singleton();
836
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" );
841 return true;
842 } else {
843 wfDebug( __METHOD__ . ": rejecting file with unknown detected mime type; ".
844 "recognized extension '$extension', so probably invalid file\n" );
845 return false;
846 }
847
848 $match = $magic->isMatchingExtension( $extension, $mime );
849
850 if ( $match === null ) {
851 wfDebug( __METHOD__ . ": no file extension known for mime type $mime, passing file\n" );
852 return true;
853 } elseif( $match === true ) {
854 wfDebug( __METHOD__ . ": mime type $mime matches extension $extension, passing file\n" );
855
856 #TODO: if it's a bitmap, make sure PHP or ImageMagic resp. can handle it!
857 return true;
858
859 } else {
860 wfDebug( __METHOD__ . ": mime type $mime mismatches file extension $extension, rejecting file\n" );
861 return false;
862 }
863 }
864
865 /**
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.
870 *
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
875 */
876 public static function detectScript( $file, $mime, $extension ) {
877 global $wgAllowTitlesInSVG;
878
879 # ugly hack: for text files, always look at the entire file.
880 # For binary field, just check the first K.
881
882 if( strpos( $mime,'text/' ) === 0 ) {
883 $chunk = file_get_contents( $file );
884 } else {
885 $fp = fopen( $file, 'rb' );
886 $chunk = fread( $fp, 1024 );
887 fclose( $fp );
888 }
889
890 $chunk = strtolower( $chunk );
891
892 if( !$chunk ) {
893 return false;
894 }
895
896 # decode from UTF-16 if needed (could be used for obfuscation).
897 if( substr( $chunk, 0, 2 ) == "\xfe\xff" ) {
898 $enc = 'UTF-16BE';
899 } elseif( substr( $chunk, 0, 2 ) == "\xff\xfe" ) {
900 $enc = 'UTF-16LE';
901 } else {
902 $enc = null;
903 }
904
905 if( $enc ) {
906 $chunk = iconv( $enc, "ASCII//IGNORE", $chunk );
907 }
908
909 $chunk = trim( $chunk );
910
911 # @todo FIXME: Convert from UTF-16 if necessarry!
912 wfDebug( __METHOD__ . ": checking for embedded scripts and HTML stuff\n" );
913
914 # check for HTML doctype
915 if ( preg_match( "/<!DOCTYPE *X?HTML/i", $chunk ) ) {
916 return true;
917 }
918
919 /**
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
923 * attack vectors.
924 *
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!)
929 *
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.
933 */
934 $tags = array(
935 '<a href',
936 '<body',
937 '<head',
938 '<html', #also in safari
939 '<img',
940 '<pre',
941 '<script', #also in safari
942 '<table'
943 );
944
945 if( !$wgAllowTitlesInSVG && $extension !== 'svg' && $mime !== 'image/svg' ) {
946 $tags[] = '<title';
947 }
948
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" );
952 return true;
953 }
954 }
955
956 /*
957 * look for JavaScript
958 */
959
960 # resolve entity-refs to look at attributes. may be harsh on big files... cache result?
961 $chunk = Sanitizer::decodeCharReferences( $chunk );
962
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" );
966 return true;
967 }
968
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" );
972 return true;
973 }
974
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" );
978 return true;
979 }
980
981 wfDebug( __METHOD__ . ": no scripts found\n" );
982 return false;
983 }
984
985 protected function detectScriptInSvg( $filename ) {
986 $check = new XmlTypeCheck( $filename, array( $this, 'checkSvgScriptCallback' ) );
987 return $check->filterMatch;
988 }
989
990 /**
991 * @todo Replace this with a whitelist filter!
992 * @return bool
993 */
994 public function checkSvgScriptCallback( $element, $attribs ) {
995 $stripped = $this->stripXmlNamespace( $element );
996
997 if( $stripped == 'script' ) {
998 wfDebug( __METHOD__ . ": Found script element '$element' in uploaded file.\n" );
999 return true;
1000 }
1001
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" );
1006 return true;
1007 }
1008 if( $stripped == 'href' && strpos( strtolower( $value ), 'javascript:' ) !== false ) {
1009 wfDebug( __METHOD__ . ": Found script href attribute '$attrib'='$value' in uploaded file.\n" );
1010 return true;
1011 }
1012 }
1013 }
1014
1015 private function stripXmlNamespace( $name ) {
1016 // 'http://www.w3.org/2000/svg:script' -> 'script'
1017 $parts = explode( ':', strtolower( $name ) );
1018 return array_pop( $parts );
1019 }
1020
1021 /**
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.
1025 *
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.
1030 */
1031 public static function detectVirus( $file ) {
1032 global $wgAntivirus, $wgAntivirusSetup, $wgAntivirusRequired, $wgOut;
1033
1034 if ( !$wgAntivirus ) {
1035 wfDebug( __METHOD__ . ": virus scanner disabled\n" );
1036 return null;
1037 }
1038
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";
1044 }
1045
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;
1051
1052 if ( strpos( $command, "%f" ) === false ) {
1053 # simple pattern: append file to scan
1054 $command .= " " . wfEscapeShellArg( $file );
1055 } else {
1056 # complex pattern: replace "%f" with file to scan
1057 $command = str_replace( "%f", wfEscapeShellArg( $file ), $command );
1058 }
1059
1060 wfDebug( __METHOD__ . ": running virus scan: $command \n" );
1061
1062 # execute virus scanner
1063 $exitCode = false;
1064
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 );
1069
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["*"];
1077 }
1078 }
1079
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" );
1083
1084 if ( $wgAntivirusRequired ) {
1085 return wfMsg( 'virus-scanfailed', array( $exitCode ) );
1086 } else {
1087 return null;
1088 }
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" );
1092 return null;
1093 } elseif ( $mappedCode === AV_NO_VIRUS ) {
1094 # no virus found
1095 wfDebug( __METHOD__ . ": file passed virus scan.\n" );
1096 return false;
1097 } else {
1098 $output = trim( $output );
1099
1100 if ( !$output ) {
1101 $output = true; #if there's no output, return true
1102 } elseif ( $msgPattern ) {
1103 $groups = array();
1104 if ( preg_match( $msgPattern, $output, $groups ) ) {
1105 if ( $groups[1] ) {
1106 $output = $groups[1];
1107 }
1108 }
1109 }
1110
1111 wfDebug( __METHOD__ . ": FOUND VIRUS! scanner feedback: $output \n" );
1112 return $output;
1113 }
1114 }
1115
1116 /**
1117 * Check if there's an overwrite conflict and, if so, if restrictions
1118 * forbid this user from performing the upload.
1119 *
1120 * @param $user User
1121 *
1122 * @return mixed true on success, array on failure
1123 */
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() );
1130 } else {
1131 return true;
1132 }
1133 }
1134
1135 /* Check shared conflicts: if the local file does not exist, but
1136 * wfFindFile finds a file, it exists in a shared repository.
1137 */
1138 $file = wfFindFile( $this->getTitle() );
1139 if ( $file && !$user->isAllowed( 'reupload-shared' ) ) {
1140 return array( 'fileexists-shared-forbidden', $file->getName() );
1141 }
1142
1143 return true;
1144 }
1145
1146 /**
1147 * Check if a user is the last uploader
1148 *
1149 * @param $user User object
1150 * @param $img String: image name
1151 * @return Boolean
1152 */
1153 public static function userCanReUpload( User $user, $img ) {
1154 if( $user->isAllowed( 'reupload' ) ) {
1155 return true; // non-conditional
1156 }
1157 if( !$user->isAllowed( 'reupload-own' ) ) {
1158 return false;
1159 }
1160 if( is_string( $img ) ) {
1161 $img = wfLocalFile( $img );
1162 }
1163 if ( !( $img instanceof LocalFile ) ) {
1164 return false;
1165 }
1166
1167 return $user->getId() == $img->getUser( 'id' );
1168 }
1169
1170 /**
1171 * Helper function that does various existence checks for a file.
1172 * The following checks are performed:
1173 * - The file exists
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
1177 *
1178 * @param $file File The File object to check
1179 * @return mixed False if the file does not exists, else an array
1180 */
1181 public static function getExistsWarning( $file ) {
1182 if( $file->exists() ) {
1183 return array( 'warning' => 'exists', 'file' => $file );
1184 }
1185
1186 if( $file->getTitle()->getArticleID() ) {
1187 return array( 'warning' => 'page-exists', 'file' => $file );
1188 }
1189
1190 if ( $file->wasDeleted() && !$file->exists() ) {
1191 return array( 'warning' => 'was-deleted', 'file' => $file );
1192 }
1193
1194 if( strpos( $file->getName(), '.' ) == false ) {
1195 $partname = $file->getName();
1196 $extension = '';
1197 } else {
1198 $n = strrpos( $file->getName(), '.' );
1199 $extension = substr( $file->getName(), $n + 1 );
1200 $partname = substr( $file->getName(), 0, $n );
1201 }
1202 $normalizedExtension = File::normalizeExtension( $extension );
1203
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').
1208 //
1209 // Check for another file using the normalized form...
1210 $nt_lc = Title::makeTitle( NS_FILE, "{$partname}.{$normalizedExtension}" );
1211 $file_lc = wfLocalFile( $nt_lc );
1212
1213 if( $file_lc->exists() ) {
1214 return array(
1215 'warning' => 'exists-normalized',
1216 'file' => $file,
1217 'normalizedFile' => $file_lc
1218 );
1219 }
1220 }
1221
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() ) {
1227 return array(
1228 'warning' => 'thumb',
1229 'file' => $file,
1230 'thumbFile' => $file_thb
1231 );
1232 } else {
1233 // File does not exist, but we just don't like the name
1234 return array(
1235 'warning' => 'thumb-name',
1236 'file' => $file,
1237 'thumbFile' => $file_thb
1238 );
1239 }
1240 }
1241
1242
1243 foreach( self::getFilenamePrefixBlacklist() as $prefix ) {
1244 if ( substr( $partname, 0, strlen( $prefix ) ) == $prefix ) {
1245 return array(
1246 'warning' => 'bad-prefix',
1247 'file' => $file,
1248 'prefix' => $prefix
1249 );
1250 }
1251 }
1252
1253 return false;
1254 }
1255
1256 /**
1257 * Helper function that checks whether the filename looks like a thumbnail
1258 * @return bool
1259 */
1260 public static function isThumbName( $filename ) {
1261 $n = strrpos( $filename, '.' );
1262 $partname = $n ? substr( $filename, 0, $n ) : $filename;
1263 return (
1264 substr( $partname , 3, 3 ) == 'px-' ||
1265 substr( $partname , 2, 3 ) == 'px-'
1266 ) &&
1267 preg_match( "/[0-9]{2}/" , substr( $partname , 0, 2 ) );
1268 }
1269
1270 /**
1271 * Get a list of blacklisted filename prefixes from [[MediaWiki:Filename-prefix-blacklist]]
1272 *
1273 * @return array list of prefixes
1274 */
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 == '' ) {
1284 continue;
1285 }
1286 // Remove additional comments after a prefix
1287 $comment = strpos( $line, '#' );
1288 if ( $comment > 0 ) {
1289 $line = substr( $line, 0, $comment-1 );
1290 }
1291 $blacklist[] = trim( $line );
1292 }
1293 }
1294 return $blacklist;
1295 }
1296
1297 /**
1298 * Gets image info about the file just uploaded.
1299 *
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.
1303 *
1304 * @param $result ApiResult:
1305 * @return Array: image info
1306 */
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 );
1314 } else {
1315 $imParam = ApiQueryImageInfo::getPropertyNames();
1316 $info = ApiQueryImageInfo::getInfo( $file, array_flip( $imParam ), $result );
1317 }
1318 return $info;
1319 }
1320
1321
1322 public function convertVerifyErrorToStatus( $error ) {
1323 $code = $error['status'];
1324 unset( $code['status'] );
1325 return Status::newFatal( $this->getVerificationErrorCode( $code ), $error );
1326 }
1327
1328 public static function getMaxUploadSize( $forType = null ) {
1329 global $wgMaxUploadSize;
1330
1331 if ( is_array( $wgMaxUploadSize ) ) {
1332 if ( !is_null( $forType ) && isset( $wgMaxUploadSize[$forType] ) ) {
1333 return $wgMaxUploadSize[$forType];
1334 } else {
1335 return $wgMaxUploadSize['*'];
1336 }
1337 } else {
1338 return intval( $wgMaxUploadSize );
1339 }
1340
1341 }
1342 }