wfMsgExt() does not recognize the parameter 'parseline'. Pass array()
[lhc/web/wiklou.git] / includes / SpecialUpload.php
1 <?php
2 /**
3 *
4 * @addtogroup SpecialPage
5 */
6
7
8 /**
9 * Entry point
10 */
11 function wfSpecialUpload() {
12 global $wgRequest;
13 $form = new UploadForm( $wgRequest );
14 $form->execute();
15 }
16
17 /**
18 * implements Special:Upload
19 * @addtogroup SpecialPage
20 */
21 class UploadForm {
22 const SUCCESS = 0;
23 const BEFORE_PROCESSING = 1;
24 const LARGE_FILE_SERVER = 2;
25 const EMPTY_FILE = 3;
26 const MIN_LENGHT_PARTNAME = 4;
27 const ILLEGAL_FILENAME = 5;
28 const PROTECTED_PAGE = 6;
29 const OVERWRITE_EXISTING_FILE = 7;
30 const FILETYPE_MISSING = 8;
31 const FILETYPE_BADTYPE = 9;
32 const VERIFICATION_ERROR = 10;
33 const UPLOAD_VERIFICATION_ERROR = 11;
34 const UPLOAD_WARNING = 12;
35 const INTERNAL_ERROR = 13;
36
37 /**#@+
38 * @access private
39 */
40 var $mComment, $mLicense, $mIgnoreWarning, $mCurlError;
41 var $mDestName, $mTempPath, $mFileSize, $mFileProps;
42 var $mCopyrightStatus, $mCopyrightSource, $mReUpload, $mAction, $mUploadClicked;
43 var $mSrcName, $mSessionKey, $mStashed, $mDesiredDestName, $mRemoveTempFile, $mSourceType;
44 var $mDestWarningAck, $mCurlDestHandle;
45 var $mLocalFile;
46
47 # Placeholders for text injection by hooks (must be HTML)
48 # extensions should take care to _append_ to the present value
49 var $uploadFormTextTop;
50 var $uploadFormTextAfterSummary;
51
52 const SESSION_VERSION = 1;
53 /**#@-*/
54
55 /**
56 * Constructor : initialise object
57 * Get data POSTed through the form and assign them to the object
58 * @param $request Data posted.
59 */
60 function UploadForm( &$request ) {
61 global $wgAllowCopyUploads;
62 $this->mDesiredDestName = $request->getText( 'wpDestFile' );
63 $this->mIgnoreWarning = $request->getCheck( 'wpIgnoreWarning' );
64 $this->mComment = $request->getText( 'wpUploadDescription' );
65
66 if( !$request->wasPosted() ) {
67 # GET requests just give the main form; no data except destination
68 # filename and description
69 return;
70 }
71
72 # Placeholders for text injection by hooks (empty per default)
73 $this->uploadFormTextTop = "";
74 $this->uploadFormTextAfterSummary = "";
75
76 $this->mReUpload = $request->getCheck( 'wpReUpload' );
77 $this->mUploadClicked = $request->getCheck( 'wpUpload' );
78
79 $this->mLicense = $request->getText( 'wpLicense' );
80 $this->mCopyrightStatus = $request->getText( 'wpUploadCopyStatus' );
81 $this->mCopyrightSource = $request->getText( 'wpUploadSource' );
82 $this->mWatchthis = $request->getBool( 'wpWatchthis' );
83 $this->mSourceType = $request->getText( 'wpSourceType' );
84 $this->mDestWarningAck = $request->getText( 'wpDestFileWarningAck' );
85
86 $this->mAction = $request->getVal( 'action' );
87
88 $this->mSessionKey = $request->getInt( 'wpSessionKey' );
89 if( !empty( $this->mSessionKey ) &&
90 isset( $_SESSION['wsUploadData'][$this->mSessionKey]['version'] ) &&
91 $_SESSION['wsUploadData'][$this->mSessionKey]['version'] == self::SESSION_VERSION ) {
92 /**
93 * Confirming a temporarily stashed upload.
94 * We don't want path names to be forged, so we keep
95 * them in the session on the server and just give
96 * an opaque key to the user agent.
97 */
98 $data = $_SESSION['wsUploadData'][$this->mSessionKey];
99 $this->mTempPath = $data['mTempPath'];
100 $this->mFileSize = $data['mFileSize'];
101 $this->mSrcName = $data['mSrcName'];
102 $this->mFileProps = $data['mFileProps'];
103 $this->mCurlError = 0/*UPLOAD_ERR_OK*/;
104 $this->mStashed = true;
105 $this->mRemoveTempFile = false;
106 } else {
107 /**
108 *Check for a newly uploaded file.
109 */
110 if( $wgAllowCopyUploads && $this->mSourceType == 'web' ) {
111 $this->initializeFromUrl( $request );
112 } else {
113 $this->initializeFromUpload( $request );
114 }
115 }
116 }
117
118 /**
119 * Initialize the uploaded file from PHP data
120 * @access private
121 */
122 function initializeFromUpload( $request ) {
123 $this->mTempPath = $request->getFileTempName( 'wpUploadFile' );
124 $this->mFileSize = $request->getFileSize( 'wpUploadFile' );
125 $this->mSrcName = $request->getFileName( 'wpUploadFile' );
126 $this->mCurlError = $request->getUploadError( 'wpUploadFile' );
127 $this->mSessionKey = false;
128 $this->mStashed = false;
129 $this->mRemoveTempFile = false; // PHP will handle this
130 }
131
132 /**
133 * Copy a web file to a temporary file
134 * @access private
135 */
136 function initializeFromUrl( $request ) {
137 global $wgTmpDirectory;
138 $url = $request->getText( 'wpUploadFileURL' );
139 $local_file = tempnam( $wgTmpDirectory, 'WEBUPLOAD' );
140
141 $this->mTempPath = $local_file;
142 $this->mFileSize = 0; # Will be set by curlCopy
143 $this->mCurlError = $this->curlCopy( $url, $local_file );
144 $this->mSrcName = array_pop( explode( '/', $url ) );
145 $this->mSessionKey = false;
146 $this->mStashed = false;
147
148 // PHP won't auto-cleanup the file
149 $this->mRemoveTempFile = file_exists( $local_file );
150 }
151
152 /**
153 * Safe copy from URL
154 * Returns true if there was an error, false otherwise
155 */
156 private function curlCopy( $url, $dest ) {
157 global $wgUser, $wgOut;
158
159 if( !$wgUser->isAllowed( 'upload_by_url' ) ) {
160 $wgOut->permissionRequired( 'upload_by_url' );
161 return true;
162 }
163
164 # Maybe remove some pasting blanks :-)
165 $url = trim( $url );
166 if( stripos($url, 'http://') !== 0 && stripos($url, 'ftp://') !== 0 ) {
167 # Only HTTP or FTP URLs
168 $wgOut->errorPage( 'upload-proto-error', 'upload-proto-error-text' );
169 return true;
170 }
171
172 # Open temporary file
173 $this->mCurlDestHandle = @fopen( $this->mTempPath, "wb" );
174 if( $this->mCurlDestHandle === false ) {
175 # Could not open temporary file to write in
176 $wgOut->errorPage( 'upload-file-error', 'upload-file-error-text');
177 return true;
178 }
179
180 $ch = curl_init();
181 curl_setopt( $ch, CURLOPT_HTTP_VERSION, 1.0); # Probably not needed, but apparently can work around some bug
182 curl_setopt( $ch, CURLOPT_TIMEOUT, 10); # 10 seconds timeout
183 curl_setopt( $ch, CURLOPT_LOW_SPEED_LIMIT, 512); # 0.5KB per second minimum transfer speed
184 curl_setopt( $ch, CURLOPT_URL, $url);
185 curl_setopt( $ch, CURLOPT_WRITEFUNCTION, array( $this, 'uploadCurlCallback' ) );
186 curl_exec( $ch );
187 $error = curl_errno( $ch ) ? true : false;
188 $errornum = curl_errno( $ch );
189 // if ( $error ) print curl_error ( $ch ) ; # Debugging output
190 curl_close( $ch );
191
192 fclose( $this->mCurlDestHandle );
193 unset( $this->mCurlDestHandle );
194 if( $error ) {
195 unlink( $dest );
196 if( wfEmptyMsg( "upload-curl-error$errornum", wfMsg("upload-curl-error$errornum") ) )
197 $wgOut->errorPage( 'upload-misc-error', 'upload-misc-error-text' );
198 else
199 $wgOut->errorPage( "upload-curl-error$errornum", "upload-curl-error$errornum-text" );
200 }
201
202 return $error;
203 }
204
205 /**
206 * Callback function for CURL-based web transfer
207 * Write data to file unless we've passed the length limit;
208 * if so, abort immediately.
209 * @access private
210 */
211 function uploadCurlCallback( $ch, $data ) {
212 global $wgMaxUploadSize;
213 $length = strlen( $data );
214 $this->mFileSize += $length;
215 if( $this->mFileSize > $wgMaxUploadSize ) {
216 return 0;
217 }
218 fwrite( $this->mCurlDestHandle, $data );
219 return $length;
220 }
221
222 /**
223 * Start doing stuff
224 * @access public
225 */
226 function execute() {
227 global $wgUser, $wgOut;
228 global $wgEnableUploads;
229
230 # Check uploading enabled
231 if( !$wgEnableUploads ) {
232 $wgOut->showErrorPage( 'uploaddisabled', 'uploaddisabledtext', array( $this->mDesiredDestName ) );
233 return;
234 }
235
236 # Check permissions
237 if( !$wgUser->isAllowed( 'upload' ) ) {
238 if( !$wgUser->isLoggedIn() ) {
239 $wgOut->showErrorPage( 'uploadnologin', 'uploadnologintext' );
240 } else {
241 $wgOut->permissionRequired( 'upload' );
242 }
243 return;
244 }
245
246 # Check blocks
247 if( $wgUser->isBlocked() ) {
248 $wgOut->blockedPage();
249 return;
250 }
251
252 if( wfReadOnly() ) {
253 $wgOut->readOnlyPage();
254 return;
255 }
256
257 if( $this->mReUpload ) {
258 if( !$this->unsaveUploadedFile() ) {
259 return;
260 }
261 $this->mainUploadForm();
262 } else if( 'submit' == $this->mAction || $this->mUploadClicked ) {
263 $this->processUpload();
264 } else {
265 $this->mainUploadForm();
266 }
267
268 $this->cleanupTempFile();
269 }
270
271 /**
272 * Do the upload
273 * Checks are made in SpecialUpload::execute()
274 *
275 * @access private
276 */
277 function processUpload(){
278 global $wgUser, $wgOut, $wgFileExtensions;
279 $details = null;
280 $value = null;
281 $value = $this->internalProcessUpload( $details );
282
283 switch($value) {
284 case self::SUCCESS:
285 $wgOut->redirect( $this->mLocalFile->getTitle()->getFullURL() );
286 break;
287
288 case self::BEFORE_PROCESSING:
289 break;
290
291 case self::LARGE_FILE_SERVER:
292 $this->mainUploadForm( wfMsgHtml( 'largefileserver' ) );
293 break;
294
295 case self::EMPTY_FILE:
296 $this->mainUploadForm( wfMsgHtml( 'emptyfile' ) );
297 break;
298
299 case self::MIN_LENGHT_PARTNAME:
300 $this->mainUploadForm( wfMsgHtml( 'minlength1' ) );
301 break;
302
303 case self::ILLEGAL_FILENAME:
304 $filtered = $details['filtered'];
305 $this->uploadError( wfMsgWikiHtml( 'illegalfilename', htmlspecialchars( $filtered ) ) );
306 break;
307
308 case self::PROTECTED_PAGE:
309 $this->uploadError( wfMsgWikiHtml( 'protectedpage' ) );
310 break;
311
312 case self::OVERWRITE_EXISTING_FILE:
313 $errorText = $details['overwrite'];
314 $overwrite = new WikiError( $wgOut->parse( $errorText ) );
315 $this->uploadError( $overwrite->toString() );
316 break;
317
318 case self::FILETYPE_MISSING:
319 $this->uploadError( wfMsgExt( 'filetype-missing', array ( 'parseinline' ) ) );
320 break;
321
322 case self::FILETYPE_BADTYPE:
323 $finalExt = $details['finalExt'];
324 $this->uploadError(
325 wfMsgExt( 'filetype-banned-type',
326 array( 'parseinline' ),
327 htmlspecialchars( $finalExt ),
328 implode(
329 wfMsgExt( 'comma-separator', array( 'escapenoentities' ) ),
330 $wgFileExtensions
331 )
332 )
333 );
334 break;
335
336 case self::VERIFICATION_ERROR:
337 $veri = $details['veri'];
338 $this->uploadError( $veri->toString() );
339 break;
340
341 case self::UPLOAD_VERIFICATION_ERROR:
342 $error = $details['error'];
343 $this->uploadError( $error );
344 break;
345
346 case self::UPLOAD_WARNING:
347 $warning = $details['warning'];
348 $this->uploadWarning( $warning );
349 break;
350
351 case self::INTERNAL_ERROR:
352 $internal = $details['internal'];
353 $this->showError( $internal );
354 break;
355
356 default:
357 throw new MWException( __METHOD__ . ": Unknown value `{$value}`" );
358 }
359 }
360
361 /**
362 * Really do the upload
363 * Checks are made in SpecialUpload::execute()
364 *
365 * @param array $resultDetails contains result-specific dict of additional values
366 *
367 * @access private
368 */
369 function internalProcessUpload( &$resultDetails ) {
370 global $wgUser;
371
372 if( !wfRunHooks( 'UploadForm:BeforeProcessing', array( &$this ) ) )
373 {
374 wfDebug( "Hook 'UploadForm:BeforeProcessing' broke processing the file." );
375 return self::BEFORE_PROCESSING;
376 }
377
378 /* Check for PHP error if any, requires php 4.2 or newer */
379 if( $this->mCurlError == 1/*UPLOAD_ERR_INI_SIZE*/ ) {
380 return self::LARGE_FILE_SERVER;
381 }
382
383 /**
384 * If there was no filename or a zero size given, give up quick.
385 */
386 if( trim( $this->mSrcName ) == '' || empty( $this->mFileSize ) ) {
387 return self::EMPTY_FILE;
388 }
389
390 # Chop off any directories in the given filename
391 if( $this->mDesiredDestName ) {
392 $basename = $this->mDesiredDestName;
393 } else {
394 $basename = $this->mSrcName;
395 }
396 $filtered = wfBaseName( $basename );
397
398 /**
399 * We'll want to blacklist against *any* 'extension', and use
400 * only the final one for the whitelist.
401 */
402 list( $partname, $ext ) = $this->splitExtensions( $filtered );
403
404 if( count( $ext ) ) {
405 $finalExt = $ext[count( $ext ) - 1];
406 } else {
407 $finalExt = '';
408 }
409
410 # If there was more than one "extension", reassemble the base
411 # filename to prevent bogus complaints about length
412 if( count( $ext ) > 1 ) {
413 for( $i = 0; $i < count( $ext ) - 1; $i++ )
414 $partname .= '.' . $ext[$i];
415 }
416
417 if( strlen( $partname ) < 1 ) {
418 return self::MIN_LENGHT_PARTNAME;
419 }
420
421 /**
422 * Filter out illegal characters, and try to make a legible name
423 * out of it. We'll strip some silently that Title would die on.
424 */
425 $filtered = preg_replace ( "/[^".Title::legalChars()."]|:/", '-', $filtered );
426 $nt = Title::makeTitleSafe( NS_IMAGE, $filtered );
427 if( is_null( $nt ) ) {
428 $resultDetails = array( 'filtered' => $filtered );
429 return self::ILLEGAL_FILENAME;
430 }
431 $this->mLocalFile = wfLocalFile( $nt );
432 $this->mDestName = $this->mLocalFile->getName();
433
434 /**
435 * If the image is protected, non-sysop users won't be able
436 * to modify it by uploading a new revision.
437 */
438 if( !$nt->userCan( 'edit' ) || !$nt->userCan( 'create' ) ) {
439 return self::PROTECTED_PAGE;
440 }
441
442 /**
443 * In some cases we may forbid overwriting of existing files.
444 */
445 $overwrite = $this->checkOverwrite( $this->mDestName );
446 if( $overwrite !== true ) {
447 $resultDetails = array( 'overwrite' => $overwrite );
448 return self::OVERWRITE_EXISTING_FILE;
449 }
450
451 /* Don't allow users to override the blacklist (check file extension) */
452 global $wgStrictFileExtensions;
453 global $wgFileExtensions, $wgFileBlacklist;
454 if ($finalExt == '') {
455 return self::FILETYPE_MISSING;
456 } elseif ( $this->checkFileExtensionList( $ext, $wgFileBlacklist ) ||
457 ($wgStrictFileExtensions && !$this->checkFileExtension( $finalExt, $wgFileExtensions ) ) ) {
458 $resultDetails = array( 'finalExt' => $finalExt );
459 return self::FILETYPE_BADTYPE;
460 }
461
462 /**
463 * Look at the contents of the file; if we can recognize the
464 * type but it's corrupt or data of the wrong type, we should
465 * probably not accept it.
466 */
467 if( !$this->mStashed ) {
468 $this->mFileProps = File::getPropsFromPath( $this->mTempPath, $finalExt );
469 $this->checkMacBinary();
470 $veri = $this->verify( $this->mTempPath, $finalExt );
471
472 if( $veri !== true ) { //it's a wiki error...
473 $resultDetails = array( 'veri' => $veri );
474 return self::VERIFICATION_ERROR;
475 }
476
477 /**
478 * Provide an opportunity for extensions to add further checks
479 */
480 $error = '';
481 if( !wfRunHooks( 'UploadVerification',
482 array( $this->mDestName, $this->mTempPath, &$error ) ) ) {
483 $resultDetails = array( 'error' => $error );
484 return self::UPLOAD_VERIFICATION_ERROR;
485 }
486 }
487
488
489 /**
490 * Check for non-fatal conditions
491 */
492 if ( ! $this->mIgnoreWarning ) {
493 $warning = '';
494
495 global $wgCapitalLinks;
496 if( $wgCapitalLinks ) {
497 $filtered = ucfirst( $filtered );
498 }
499 if( $basename != $filtered ) {
500 $warning .= '<li>'.wfMsgHtml( 'badfilename', htmlspecialchars( $this->mDestName ) ).'</li>';
501 }
502
503 global $wgCheckFileExtensions;
504 if ( $wgCheckFileExtensions ) {
505 if ( !$this->checkFileExtension( $finalExt, $wgFileExtensions ) ) {
506 $warning .= '<li>' .
507 wfMsgExt( 'filetype-unwanted-type',
508 array( 'parseinline' ),
509 htmlspecialchars( $finalExt ),
510 implode(
511 wfMsgExt( 'comma-separator', array( 'escapenoentities' ) ),
512 $wgFileExtensions
513 )
514 ) . '</li>';
515 }
516 }
517
518 global $wgUploadSizeWarning;
519 if ( $wgUploadSizeWarning && ( $this->mFileSize > $wgUploadSizeWarning ) ) {
520 $skin = $wgUser->getSkin();
521 $wsize = $skin->formatSize( $wgUploadSizeWarning );
522 $asize = $skin->formatSize( $this->mFileSize );
523 $warning .= '<li>' . wfMsgHtml( 'large-file', $wsize, $asize ) . '</li>';
524 }
525 if ( $this->mFileSize == 0 ) {
526 $warning .= '<li>'.wfMsgHtml( 'emptyfile' ).'</li>';
527 }
528
529 if ( !$this->mDestWarningAck ) {
530 $warning .= self::getExistsWarning( $this->mLocalFile );
531 }
532 if( $warning != '' ) {
533 /**
534 * Stash the file in a temporary location; the user can choose
535 * to let it through and we'll complete the upload then.
536 */
537 $resultDetails = array( 'warning' => $warning );
538 return self::UPLOAD_WARNING;
539 }
540 }
541
542 /**
543 * Try actually saving the thing...
544 * It will show an error form on failure.
545 */
546 $pageText = self::getInitialPageText( $this->mComment, $this->mLicense,
547 $this->mCopyrightStatus, $this->mCopyrightSource );
548
549 $status = $this->mLocalFile->upload( $this->mTempPath, $this->mComment, $pageText,
550 File::DELETE_SOURCE, $this->mFileProps );
551 if ( !$status->isGood() ) {
552 $resultDetails = array( 'internal' => $status->getWikiText() );
553 return self::INTERNAL_ERROR;
554 } else {
555 if ( $this->mWatchthis ) {
556 global $wgUser;
557 $wgUser->addWatch( $this->mLocalFile->getTitle() );
558 }
559 // Success, redirect to description page
560 $img = null; // @todo: added to avoid passing a ref to null - should this be defined somewhere?
561 wfRunHooks( 'UploadComplete', array( &$this ) );
562 return self::SUCCESS;
563 }
564 }
565
566 /**
567 * Do existence checks on a file and produce a warning
568 * This check is static and can be done pre-upload via AJAX
569 * Returns an HTML fragment consisting of one or more LI elements if there is a warning
570 * Returns an empty string if there is no warning
571 */
572 static function getExistsWarning( $file ) {
573 global $wgUser;
574 // Check for uppercase extension. We allow these filenames but check if an image
575 // with lowercase extension exists already
576 $warning = '';
577
578 if( strpos( $file->getName(), '.' ) == false ) {
579 $partname = $file->getName();
580 $rawExtension = '';
581 } else {
582 list( $partname, $rawExtension ) = explode( '.', $file->getName(), 2 );
583 }
584 $sk = $wgUser->getSkin();
585
586 if ( $rawExtension != $file->getExtension() ) {
587 // We're not using the normalized form of the extension.
588 // Normal form is lowercase, using most common of alternate
589 // extensions (eg 'jpg' rather than 'JPEG').
590 //
591 // Check for another file using the normalized form...
592 $nt_lc = Title::newFromText( $partname . '.' . $file->getExtension() );
593 $file_lc = wfLocalFile( $nt_lc );
594 } else {
595 $file_lc = false;
596 }
597
598 if( $file->exists() ) {
599 $dlink = $sk->makeKnownLinkObj( $file->getTitle() );
600 if ( $file->allowInlineDisplay() ) {
601 $dlink2 = $sk->makeImageLinkObj( $file->getTitle(), wfMsgExt( 'fileexists-thumb', 'parseinline', $dlink ),
602 $file->getName(), 'right', array(), false, true );
603 } elseif ( !$file->allowInlineDisplay() && $file->isSafeFile() ) {
604 $icon = $file->iconThumb();
605 $dlink2 = '<div style="float:right" id="mw-media-icon">' .
606 $icon->toHtml( array( 'desc-link' => true ) ) . '<br />' . $dlink . '</div>';
607 } else {
608 $dlink2 = '';
609 }
610
611 $warning .= '<li>' . wfMsgExt( 'fileexists', array(), $dlink ) . '</li>' . $dlink2;
612
613 } elseif( $file->getTitle()->getArticleID() ) {
614 $lnk = $sk->makeKnownLinkObj( $file->getTitle(), '', 'redirect=no' );
615 $warning .= '<li>' . wfMsgExt( 'filepageexists', array(), $lnk ) . '</li>';
616 } elseif ( $file_lc && $file_lc->exists() ) {
617 # Check if image with lowercase extension exists.
618 # It's not forbidden but in 99% it makes no sense to upload the same filename with uppercase extension
619 $dlink = $sk->makeKnownLinkObj( $nt_lc );
620 if ( $file_lc->allowInlineDisplay() ) {
621 $dlink2 = $sk->makeImageLinkObj( $nt_lc, wfMsgExt( 'fileexists-thumb', 'parseinline', $dlink ),
622 $nt_lc->getText(), 'right', array(), false, true );
623 } elseif ( !$file_lc->allowInlineDisplay() && $file_lc->isSafeFile() ) {
624 $icon = $file_lc->iconThumb();
625 $dlink2 = '<div style="float:right" id="mw-media-icon">' .
626 $icon->toHtml( array( 'desc-link' => true ) ) . '<br />' . $dlink . '</div>';
627 } else {
628 $dlink2 = '';
629 }
630
631 $warning .= '<li>' . wfMsgExt( 'fileexists-extension', 'parsemag', $file->getName(), $dlink ) . '</li>' . $dlink2;
632
633 } elseif ( ( substr( $partname , 3, 3 ) == 'px-' || substr( $partname , 2, 3 ) == 'px-' )
634 && ereg( "[0-9]{2}" , substr( $partname , 0, 2) ) )
635 {
636 # Check for filenames like 50px- or 180px-, these are mostly thumbnails
637 $nt_thb = Title::newFromText( substr( $partname , strpos( $partname , '-' ) +1 ) . '.' . $rawExtension );
638 $file_thb = wfLocalFile( $nt_thb );
639 if ($file_thb->exists() ) {
640 # Check if an image without leading '180px-' (or similiar) exists
641 $dlink = $sk->makeKnownLinkObj( $nt_thb);
642 if ( $file_thb->allowInlineDisplay() ) {
643 $dlink2 = $sk->makeImageLinkObj( $nt_thb,
644 wfMsgExt( 'fileexists-thumb', 'parseinline', $dlink ),
645 $nt_thb->getText(), 'right', array(), false, true );
646 } elseif ( !$file_thb->allowInlineDisplay() && $file_thb->isSafeFile() ) {
647 $icon = $file_thb->iconThumb();
648 $dlink2 = '<div style="float:right" id="mw-media-icon">' .
649 $icon->toHtml( array( 'desc-link' => true ) ) . '<br />' .
650 $dlink . '</div>';
651 } else {
652 $dlink2 = '';
653 }
654
655 $warning .= '<li>' . wfMsgExt( 'fileexists-thumbnail-yes', 'parsemag', $dlink ) .
656 '</li>' . $dlink2;
657 } else {
658 # Image w/o '180px-' does not exists, but we do not like these filenames
659 $warning .= '<li>' . wfMsgExt( 'file-thumbnail-no', 'parseinline' ,
660 substr( $partname , 0, strpos( $partname , '-' ) +1 ) ) . '</li>';
661 }
662 }
663
664 $filenamePrefixBlacklist = self::getFilenamePrefixBlacklist();
665 # Do the match
666 foreach( $filenamePrefixBlacklist as $prefix ) {
667 if ( substr( $partname, 0, strlen( $prefix ) ) == $prefix ) {
668 $warning .= '<li>' . wfMsgExt( 'filename-bad-prefix', 'parseinline', $prefix ) . '</li>';
669 break;
670 }
671 }
672
673 if ( $file->wasDeleted() && !$file->exists() ) {
674 # If the file existed before and was deleted, warn the user of this
675 # Don't bother doing so if the file exists now, however
676 $ltitle = SpecialPage::getTitleFor( 'Log' );
677 $llink = $sk->makeKnownLinkObj( $ltitle, wfMsgHtml( 'deletionlog' ),
678 'type=delete&page=' . $file->getTitle()->getPrefixedUrl() );
679 $warning .= '<li>' . wfMsgWikiHtml( 'filewasdeleted', $llink ) . '</li>';
680 }
681 return $warning;
682 }
683
684 /**
685 * Get a list of warnings
686 *
687 * @param string local filename, e.g. 'file exists', 'non-descriptive filename'
688 * @return array list of warning messages
689 */
690 static function ajaxGetExistsWarning( $filename ) {
691 $file = wfFindFile( $filename );
692 if( !$file ) {
693 // Force local file so we have an object to do further checks against
694 // if there isn't an exact match...
695 $file = wfLocalFile( $filename );
696 }
697 $s = '&nbsp;';
698 if ( $file ) {
699 $warning = self::getExistsWarning( $file );
700 if ( $warning !== '' ) {
701 $s = "<ul>$warning</ul>";
702 }
703 }
704 return $s;
705 }
706
707 /**
708 * Render a preview of a given license for the AJAX preview on upload
709 *
710 * @param string $license
711 * @return string
712 */
713 public static function ajaxGetLicensePreview( $license ) {
714 global $wgParser, $wgUser;
715 $text = '{{' . $license . '}}';
716 $title = Title::makeTitle( NS_IMAGE, 'Sample.jpg' );
717 $options = ParserOptions::newFromUser( $wgUser );
718
719 // Expand subst: first, then live templates...
720 $text = $wgParser->preSaveTransform( $text, $title, $wgUser, $options );
721 $output = $wgParser->parse( $text, $title, $options );
722
723 return $output->getText();
724 }
725
726 /**
727 * Get a list of blacklisted filename prefixes from [[MediaWiki:filename-prefix-blacklist]]
728 *
729 * @return array list of prefixes
730 */
731 public static function getFilenamePrefixBlacklist() {
732 $blacklist = array();
733 $message = wfMsgForContent( 'filename-prefix-blacklist' );
734 if( $message && !( wfEmptyMsg( 'filename-prefix-blacklist', $message ) || $message == '-' ) ) {
735 $lines = explode( "\n", $message );
736 foreach( $lines as $line ) {
737 // Remove comment lines
738 $comment = substr( trim( $line ), 0, 1 );
739 if ( $comment == '#' || $comment == '' ) {
740 continue;
741 }
742 // Remove additional comments after a prefix
743 $comment = strpos( $line, '#' );
744 if ( $comment > 0 ) {
745 $line = substr( $line, 0, $comment-1 );
746 }
747 $blacklist[] = trim( $line );
748 }
749 }
750 return $blacklist;
751 }
752
753 /**
754 * Stash a file in a temporary directory for later processing
755 * after the user has confirmed it.
756 *
757 * If the user doesn't explicitly cancel or accept, these files
758 * can accumulate in the temp directory.
759 *
760 * @param string $saveName - the destination filename
761 * @param string $tempName - the source temporary file to save
762 * @return string - full path the stashed file, or false on failure
763 * @access private
764 */
765 function saveTempUploadedFile( $saveName, $tempName ) {
766 global $wgOut;
767 $repo = RepoGroup::singleton()->getLocalRepo();
768 $status = $repo->storeTemp( $saveName, $tempName );
769 if ( !$status->isGood() ) {
770 $this->showError( $status->getWikiText() );
771 return false;
772 } else {
773 return $status->value;
774 }
775 }
776
777 /**
778 * Stash a file in a temporary directory for later processing,
779 * and save the necessary descriptive info into the session.
780 * Returns a key value which will be passed through a form
781 * to pick up the path info on a later invocation.
782 *
783 * @return int
784 * @access private
785 */
786 function stashSession() {
787 $stash = $this->saveTempUploadedFile( $this->mDestName, $this->mTempPath );
788
789 if( !$stash ) {
790 # Couldn't save the file.
791 return false;
792 }
793
794 $key = mt_rand( 0, 0x7fffffff );
795 $_SESSION['wsUploadData'][$key] = array(
796 'mTempPath' => $stash,
797 'mFileSize' => $this->mFileSize,
798 'mSrcName' => $this->mSrcName,
799 'mFileProps' => $this->mFileProps,
800 'version' => self::SESSION_VERSION,
801 );
802 return $key;
803 }
804
805 /**
806 * Remove a temporarily kept file stashed by saveTempUploadedFile().
807 * @access private
808 * @return success
809 */
810 function unsaveUploadedFile() {
811 global $wgOut;
812 $repo = RepoGroup::singleton()->getLocalRepo();
813 $success = $repo->freeTemp( $this->mTempPath );
814 if ( ! $success ) {
815 $wgOut->showFileDeleteError( $this->mTempPath );
816 return false;
817 } else {
818 return true;
819 }
820 }
821
822 /* -------------------------------------------------------------- */
823
824 /**
825 * @param string $error as HTML
826 * @access private
827 */
828 function uploadError( $error ) {
829 global $wgOut;
830 $wgOut->addHTML( "<h2>" . wfMsgHtml( 'uploadwarning' ) . "</h2>\n" );
831 $wgOut->addHTML( "<span class='error'>{$error}</span>\n" );
832 }
833
834 /**
835 * There's something wrong with this file, not enough to reject it
836 * totally but we require manual intervention to save it for real.
837 * Stash it away, then present a form asking to confirm or cancel.
838 *
839 * @param string $warning as HTML
840 * @access private
841 */
842 function uploadWarning( $warning ) {
843 global $wgOut, $wgContLang;
844 global $wgUseCopyrightUpload;
845
846 $this->mSessionKey = $this->stashSession();
847 if( !$this->mSessionKey ) {
848 # Couldn't save file; an error has been displayed so let's go.
849 return;
850 }
851
852 $wgOut->addHTML( "<h2>" . wfMsgHtml( 'uploadwarning' ) . "</h2>\n" );
853 $wgOut->addHTML( "<ul class='warning'>{$warning}</ul><br />\n" );
854
855 $save = wfMsgHtml( 'savefile' );
856 $reupload = wfMsgHtml( 'reupload' );
857 $iw = wfMsgWikiHtml( 'ignorewarning' );
858 $reup = wfMsgWikiHtml( 'reuploaddesc' );
859 $titleObj = SpecialPage::getTitleFor( 'Upload' );
860 $action = $titleObj->escapeLocalURL( 'action=submit' );
861 $align1 = $wgContLang->isRTL() ? 'left' : 'right';
862 $align2 = $wgContLang->isRTL() ? 'right' : 'left';
863
864 if ( $wgUseCopyrightUpload )
865 {
866 $copyright = "
867 <input type='hidden' name='wpUploadCopyStatus' value=\"" . htmlspecialchars( $this->mCopyrightStatus ) . "\" />
868 <input type='hidden' name='wpUploadSource' value=\"" . htmlspecialchars( $this->mCopyrightSource ) . "\" />
869 ";
870 } else {
871 $copyright = "";
872 }
873
874 $wgOut->addHTML( "
875 <form id='uploadwarning' method='post' enctype='multipart/form-data' action='$action'>
876 <input type='hidden' name='wpIgnoreWarning' value='1' />
877 <input type='hidden' name='wpSessionKey' value=\"" . htmlspecialchars( $this->mSessionKey ) . "\" />
878 <input type='hidden' name='wpUploadDescription' value=\"" . htmlspecialchars( $this->mComment ) . "\" />
879 <input type='hidden' name='wpLicense' value=\"" . htmlspecialchars( $this->mLicense ) . "\" />
880 <input type='hidden' name='wpDestFile' value=\"" . htmlspecialchars( $this->mDesiredDestName ) . "\" />
881 <input type='hidden' name='wpWatchthis' value=\"" . htmlspecialchars( intval( $this->mWatchthis ) ) . "\" />
882 {$copyright}
883 <table border='0'>
884 <tr>
885 <tr>
886 <td align='$align1'>
887 <input tabindex='2' type='submit' name='wpUpload' value=\"$save\" />
888 </td>
889 <td align='$align2'>$iw</td>
890 </tr>
891 <tr>
892 <td align='$align1'>
893 <input tabindex='2' type='submit' name='wpReUpload' value=\"{$reupload}\" />
894 </td>
895 <td align='$align2'>$reup</td>
896 </tr>
897 </tr>
898 </table></form>\n" );
899 }
900
901 /**
902 * Displays the main upload form, optionally with a highlighted
903 * error message up at the top.
904 *
905 * @param string $msg as HTML
906 * @access private
907 */
908 function mainUploadForm( $msg='' ) {
909 global $wgOut, $wgUser, $wgContLang;
910 global $wgUseCopyrightUpload, $wgUseAjax, $wgAjaxUploadDestCheck, $wgAjaxLicensePreview;
911 global $wgRequest, $wgAllowCopyUploads;
912 global $wgStylePath, $wgStyleVersion;
913
914 $useAjaxDestCheck = $wgUseAjax && $wgAjaxUploadDestCheck;
915 $useAjaxLicensePreview = $wgUseAjax && $wgAjaxLicensePreview;
916
917 $adc = wfBoolToStr( $useAjaxDestCheck );
918 $alp = wfBoolToStr( $useAjaxLicensePreview );
919
920 $wgOut->addScript( "<script type=\"text/javascript\">
921 wgAjaxUploadDestCheck = {$adc};
922 wgAjaxLicensePreview = {$alp};
923 </script>
924 <script type=\"text/javascript\" src=\"{$wgStylePath}/common/upload.js?{$wgStyleVersion}\"></script>
925 " );
926
927 if( !wfRunHooks( 'UploadForm:initial', array( &$this ) ) )
928 {
929 wfDebug( "Hook 'UploadForm:initial' broke output of the upload form" );
930 return false;
931 }
932
933 if( $this->mDesiredDestName ) {
934 $title = Title::makeTitleSafe( NS_IMAGE, $this->mDesiredDestName );
935 // Show a subtitle link to deleted revisions (to sysops et al only)
936 if( $title instanceof Title && ( $count = $title->isDeleted() ) > 0 && $wgUser->isAllowed( 'deletedhistory' ) ) {
937 $link = wfMsgExt(
938 $wgUser->isAllowed( 'delete' ) ? 'thisisdeleted' : 'viewdeleted',
939 array( 'parse', 'replaceafter' ),
940 $wgUser->getSkin()->makeKnownLinkObj(
941 SpecialPage::getTitleFor( 'Undelete', $title->getPrefixedText() ),
942 wfMsgExt( 'restorelink', array( 'parsemag', 'escape' ), $count )
943 )
944 );
945 $wgOut->addHtml( "<div id=\"contentSub2\">{$link}</div>" );
946 }
947
948 // Show the relevant lines from deletion log (for still deleted files only)
949 if( $title instanceof Title && $title->isDeleted() > 0 && !$title->exists() ) {
950 $this->showDeletionLog( $wgOut, $title->getPrefixedText() );
951 }
952 }
953
954 $cols = intval($wgUser->getOption( 'cols' ));
955
956 if( $wgUser->getOption( 'editwidth' ) ) {
957 $width = " style=\"width:100%\"";
958 } else {
959 $width = '';
960 }
961
962 if ( '' != $msg ) {
963 $sub = wfMsgHtml( 'uploaderror' );
964 $wgOut->addHTML( "<h2>{$sub}</h2>\n" .
965 "<span class='error'>{$msg}</span>\n" );
966 }
967 $wgOut->addHTML( '<div id="uploadtext">' );
968 $wgOut->addWikiText( wfMsgNoTrans( 'uploadtext', $this->mDesiredDestName ) );
969 $wgOut->addHTML( "</div>\n" );
970
971 # Print a list of allowed file extensions, if so configured. We ignore
972 # MIME type here, it's incomprehensible to most people and too long.
973 global $wgCheckFileExtensions, $wgStrictFileExtensions,
974 $wgFileExtensions, $wgFileBlacklist;
975 if( $wgCheckFileExtensions ) {
976 $delim = wfMsgExt( 'comma-separator', array( 'escapenoentities' ) );
977 if( $wgStrictFileExtensions ) {
978 # Everything not permitted is banned
979 $wgOut->addHTML(
980 '<div id="mw-upload-permitted">' .
981 wfMsgWikiHtml( 'upload-permitted', implode( $wgFileExtensions, $delim ) ) .
982 "</div>\n"
983 );
984 } else {
985 # We have to list both preferred and prohibited
986 $wgOut->addHTML(
987 '<div id="mw-upload-preferred">' .
988 wfMsgWikiHtml( 'upload-preferred', implode( $wgFileExtensions, $delim ) ) .
989 "</div>\n" .
990 '<div id="mw-upload-prohibited">' .
991 wfMsgWikiHtml( 'upload-prohibited', implode( $wgFileBlacklist, $delim ) ) .
992 "</div>\n"
993 );
994 }
995 }
996
997 $sourcefilename = wfMsgHtml( 'sourcefilename' );
998 $destfilename = wfMsgHtml( 'destfilename' );
999 $summary = wfMsgExt( 'fileuploadsummary', 'parseinline' );
1000
1001 $licenses = new Licenses();
1002 $license = wfMsgExt( 'license', array( 'parseinline' ) );
1003 $nolicense = wfMsgHtml( 'nolicense' );
1004 $licenseshtml = $licenses->getHtml();
1005
1006 $ulb = wfMsgHtml( 'uploadbtn' );
1007
1008
1009 $titleObj = SpecialPage::getTitleFor( 'Upload' );
1010 $action = $titleObj->escapeLocalURL();
1011
1012 $encDestName = htmlspecialchars( $this->mDesiredDestName );
1013
1014 $watchChecked =
1015 ( $wgUser->getOption( 'watchdefault' ) ||
1016 ( $wgUser->getOption( 'watchcreations' ) && $this->mDesiredDestName == '' ) )
1017 ? 'checked="checked"'
1018 : '';
1019 $warningChecked = $this->mIgnoreWarning ? 'checked' : '';
1020
1021 // Prepare form for upload or upload/copy
1022 if( $wgAllowCopyUploads && $wgUser->isAllowed( 'upload_by_url' ) ) {
1023 $filename_form =
1024 "<input type='radio' id='wpSourceTypeFile' name='wpSourceType' value='file' " .
1025 "onchange='toggle_element_activation(\"wpUploadFileURL\",\"wpUploadFile\")' checked />" .
1026 "<input tabindex='1' type='file' name='wpUploadFile' id='wpUploadFile' " .
1027 "onfocus='" .
1028 "toggle_element_activation(\"wpUploadFileURL\",\"wpUploadFile\");" .
1029 "toggle_element_check(\"wpSourceTypeFile\",\"wpSourceTypeURL\")'" .
1030 ($this->mDesiredDestName?"":"onchange='fillDestFilename(\"wpUploadFile\")' ") . "size='40' />" .
1031 wfMsgHTML( 'upload_source_file' ) . "<br/>" .
1032 "<input type='radio' id='wpSourceTypeURL' name='wpSourceType' value='web' " .
1033 "onchange='toggle_element_activation(\"wpUploadFile\",\"wpUploadFileURL\")' />" .
1034 "<input tabindex='1' type='text' name='wpUploadFileURL' id='wpUploadFileURL' " .
1035 "onfocus='" .
1036 "toggle_element_activation(\"wpUploadFile\",\"wpUploadFileURL\");" .
1037 "toggle_element_check(\"wpSourceTypeURL\",\"wpSourceTypeFile\")'" .
1038 ($this->mDesiredDestName?"":"onchange='fillDestFilename(\"wpUploadFileURL\")' ") . "size='40' DISABLED />" .
1039 wfMsgHtml( 'upload_source_url' ) ;
1040 } else {
1041 $filename_form =
1042 "<input tabindex='1' type='file' name='wpUploadFile' id='wpUploadFile' " .
1043 ($this->mDesiredDestName?"":"onchange='fillDestFilename(\"wpUploadFile\")' ") .
1044 "size='40' />" .
1045 "<input type='hidden' name='wpSourceType' value='file' />" ;
1046 }
1047 if ( $useAjaxDestCheck ) {
1048 $warningRow = "<tr><td colspan='2' id='wpDestFile-warning'>&nbsp;</td></tr>";
1049 $destOnkeyup = 'onkeyup="wgUploadWarningObj.keypress();"';
1050 } else {
1051 $warningRow = '';
1052 $destOnkeyup = '';
1053 }
1054
1055 $encComment = htmlspecialchars( $this->mComment );
1056 $align1 = $wgContLang->isRTL() ? 'left' : 'right';
1057 $align2 = $wgContLang->isRTL() ? 'right' : 'left';
1058
1059 $wgOut->addHTML( <<<EOT
1060 <form id='upload' method='post' enctype='multipart/form-data' action="$action">
1061 <table border='0'>
1062 <tr>
1063 {$this->uploadFormTextTop}
1064 <td align='$align1' valign='top'><label for='wpUploadFile'>{$sourcefilename}:</label></td>
1065 <td align='$align2'>
1066 {$filename_form}
1067 </td>
1068 </tr>
1069 <tr>
1070 <td align='$align1'><label for='wpDestFile'>{$destfilename}:</label></td>
1071 <td align='$align2'>
1072 <input tabindex='2' type='text' name='wpDestFile' id='wpDestFile' size='40'
1073 value="$encDestName" $destOnkeyup />
1074 </td>
1075 </tr>
1076 <tr>
1077 <td align='$align1'><label for='wpUploadDescription'>{$summary}</label></td>
1078 <td align='$align2'>
1079 <textarea tabindex='3' name='wpUploadDescription' id='wpUploadDescription' rows='6'
1080 cols='{$cols}'{$width}>$encComment</textarea>
1081 {$this->uploadFormTextAfterSummary}
1082 </td>
1083 </tr>
1084 <tr>
1085 EOT
1086 );
1087
1088 if ( $licenseshtml != '' ) {
1089 global $wgStylePath;
1090 $wgOut->addHTML( "
1091 <td align='$align1'><label for='wpLicense'>$license:</label></td>
1092 <td align='$align2'>
1093 <select name='wpLicense' id='wpLicense' tabindex='4'
1094 onchange='licenseSelectorCheck()'>
1095 <option value=''>$nolicense</option>
1096 $licenseshtml
1097 </select>
1098 </td>
1099 </tr>
1100 <tr>" );
1101 if( $useAjaxLicensePreview ) {
1102 $wgOut->addHtml( "
1103 <td></td>
1104 <td id=\"mw-license-preview\"></td>
1105 </tr>
1106 <tr>" );
1107 }
1108 }
1109
1110 if ( $wgUseCopyrightUpload ) {
1111 $filestatus = wfMsgHtml ( 'filestatus' );
1112 $copystatus = htmlspecialchars( $this->mCopyrightStatus );
1113 $filesource = wfMsgHtml ( 'filesource' );
1114 $uploadsource = htmlspecialchars( $this->mCopyrightSource );
1115
1116 $wgOut->addHTML( "
1117 <td align='$align1' nowrap='nowrap'><label for='wpUploadCopyStatus'>$filestatus:</label></td>
1118 <td><input tabindex='5' type='text' name='wpUploadCopyStatus' id='wpUploadCopyStatus'
1119 value=\"$copystatus\" size='40' /></td>
1120 </tr>
1121 <tr>
1122 <td align='$align1'><label for='wpUploadCopyStatus'>$filesource:</label></td>
1123 <td><input tabindex='6' type='text' name='wpUploadSource' id='wpUploadCopyStatus'
1124 value=\"$uploadsource\" size='40' /></td>
1125 </tr>
1126 <tr>
1127 ");
1128 }
1129
1130 $wgOut->addHtml( "
1131 <td></td>
1132 <td>
1133 <input tabindex='7' type='checkbox' name='wpWatchthis' id='wpWatchthis' $watchChecked value='true' />
1134 <label for='wpWatchthis'>" . wfMsgHtml( 'watchthisupload' ) . "</label>
1135 <input tabindex='8' type='checkbox' name='wpIgnoreWarning' id='wpIgnoreWarning' value='true' $warningChecked/>
1136 <label for='wpIgnoreWarning'>" . wfMsgHtml( 'ignorewarnings' ) . "</label>
1137 </td>
1138 </tr>
1139 $warningRow
1140 <tr>
1141 <td></td>
1142 <td align='$align2'><input tabindex='9' type='submit' name='wpUpload' value=\"{$ulb}\"" . $wgUser->getSkin()->tooltipAndAccesskey( 'upload' ) . " /></td>
1143 </tr>
1144 <tr>
1145 <td></td>
1146 <td align='$align2'>
1147 " );
1148 $wgOut->addWikiText( wfMsgForContent( 'edittools' ) );
1149 $wgOut->addHTML( "
1150 </td>
1151 </tr>
1152
1153 </table>
1154 <input type='hidden' name='wpDestFileWarningAck' id='wpDestFileWarningAck' value=''/>
1155 </form>" );
1156 }
1157
1158 /* -------------------------------------------------------------- */
1159
1160 /**
1161 * Split a file into a base name and all dot-delimited 'extensions'
1162 * on the end. Some web server configurations will fall back to
1163 * earlier pseudo-'extensions' to determine type and execute
1164 * scripts, so the blacklist needs to check them all.
1165 *
1166 * @return array
1167 */
1168 function splitExtensions( $filename ) {
1169 $bits = explode( '.', $filename );
1170 $basename = array_shift( $bits );
1171 return array( $basename, $bits );
1172 }
1173
1174 /**
1175 * Perform case-insensitive match against a list of file extensions.
1176 * Returns true if the extension is in the list.
1177 *
1178 * @param string $ext
1179 * @param array $list
1180 * @return bool
1181 */
1182 function checkFileExtension( $ext, $list ) {
1183 return in_array( strtolower( $ext ), $list );
1184 }
1185
1186 /**
1187 * Perform case-insensitive match against a list of file extensions.
1188 * Returns true if any of the extensions are in the list.
1189 *
1190 * @param array $ext
1191 * @param array $list
1192 * @return bool
1193 */
1194 function checkFileExtensionList( $ext, $list ) {
1195 foreach( $ext as $e ) {
1196 if( in_array( strtolower( $e ), $list ) ) {
1197 return true;
1198 }
1199 }
1200 return false;
1201 }
1202
1203 /**
1204 * Verifies that it's ok to include the uploaded file
1205 *
1206 * @param string $tmpfile the full path of the temporary file to verify
1207 * @param string $extension The filename extension that the file is to be served with
1208 * @return mixed true of the file is verified, a WikiError object otherwise.
1209 */
1210 function verify( $tmpfile, $extension ) {
1211 #magically determine mime type
1212 $magic=& MimeMagic::singleton();
1213 $mime= $magic->guessMimeType($tmpfile,false);
1214
1215 #check mime type, if desired
1216 global $wgVerifyMimeType;
1217 if ($wgVerifyMimeType) {
1218
1219 wfDebug ( "\n\nmime: <$mime> extension: <$extension>\n\n");
1220 #check mime type against file extension
1221 if( !$this->verifyExtension( $mime, $extension ) ) {
1222 return new WikiErrorMsg( 'uploadcorrupt' );
1223 }
1224
1225 #check mime type blacklist
1226 global $wgMimeTypeBlacklist;
1227 if( isset($wgMimeTypeBlacklist) && !is_null($wgMimeTypeBlacklist)
1228 && $this->checkFileExtension( $mime, $wgMimeTypeBlacklist ) ) {
1229 return new WikiErrorMsg( 'filetype-badmime', htmlspecialchars( $mime ) );
1230 }
1231 }
1232
1233 #check for htmlish code and javascript
1234 if( $this->detectScript ( $tmpfile, $mime, $extension ) ) {
1235 return new WikiErrorMsg( 'uploadscripted' );
1236 }
1237
1238 /**
1239 * Scan the uploaded file for viruses
1240 */
1241 $virus= $this->detectVirus($tmpfile);
1242 if ( $virus ) {
1243 return new WikiErrorMsg( 'uploadvirus', htmlspecialchars($virus) );
1244 }
1245
1246 wfDebug( __METHOD__.": all clear; passing.\n" );
1247 return true;
1248 }
1249
1250 /**
1251 * Checks if the mime type of the uploaded file matches the file extension.
1252 *
1253 * @param string $mime the mime type of the uploaded file
1254 * @param string $extension The filename extension that the file is to be served with
1255 * @return bool
1256 */
1257 function verifyExtension( $mime, $extension ) {
1258 $magic =& MimeMagic::singleton();
1259
1260 if ( ! $mime || $mime == 'unknown' || $mime == 'unknown/unknown' )
1261 if ( ! $magic->isRecognizableExtension( $extension ) ) {
1262 wfDebug( __METHOD__.": passing file with unknown detected mime type; " .
1263 "unrecognized extension '$extension', can't verify\n" );
1264 return true;
1265 } else {
1266 wfDebug( __METHOD__.": rejecting file with unknown detected mime type; ".
1267 "recognized extension '$extension', so probably invalid file\n" );
1268 return false;
1269 }
1270
1271 $match= $magic->isMatchingExtension($extension,$mime);
1272
1273 if ($match===NULL) {
1274 wfDebug( __METHOD__.": no file extension known for mime type $mime, passing file\n" );
1275 return true;
1276 } elseif ($match===true) {
1277 wfDebug( __METHOD__.": mime type $mime matches extension $extension, passing file\n" );
1278
1279 #TODO: if it's a bitmap, make sure PHP or ImageMagic resp. can handle it!
1280 return true;
1281
1282 } else {
1283 wfDebug( __METHOD__.": mime type $mime mismatches file extension $extension, rejecting file\n" );
1284 return false;
1285 }
1286 }
1287
1288 /**
1289 * Heuristic for detecting files that *could* contain JavaScript instructions or
1290 * things that may look like HTML to a browser and are thus
1291 * potentially harmful. The present implementation will produce false positives in some situations.
1292 *
1293 * @param string $file Pathname to the temporary upload file
1294 * @param string $mime The mime type of the file
1295 * @param string $extension The extension of the file
1296 * @return bool true if the file contains something looking like embedded scripts
1297 */
1298 function detectScript($file, $mime, $extension) {
1299 global $wgAllowTitlesInSVG;
1300
1301 #ugly hack: for text files, always look at the entire file.
1302 #For binarie field, just check the first K.
1303
1304 if (strpos($mime,'text/')===0) $chunk = file_get_contents( $file );
1305 else {
1306 $fp = fopen( $file, 'rb' );
1307 $chunk = fread( $fp, 1024 );
1308 fclose( $fp );
1309 }
1310
1311 $chunk= strtolower( $chunk );
1312
1313 if (!$chunk) return false;
1314
1315 #decode from UTF-16 if needed (could be used for obfuscation).
1316 if (substr($chunk,0,2)=="\xfe\xff") $enc= "UTF-16BE";
1317 elseif (substr($chunk,0,2)=="\xff\xfe") $enc= "UTF-16LE";
1318 else $enc= NULL;
1319
1320 if ($enc) $chunk= iconv($enc,"ASCII//IGNORE",$chunk);
1321
1322 $chunk= trim($chunk);
1323
1324 #FIXME: convert from UTF-16 if necessarry!
1325
1326 wfDebug("SpecialUpload::detectScript: checking for embedded scripts and HTML stuff\n");
1327
1328 #check for HTML doctype
1329 if (eregi("<!DOCTYPE *X?HTML",$chunk)) return true;
1330
1331 /**
1332 * Internet Explorer for Windows performs some really stupid file type
1333 * autodetection which can cause it to interpret valid image files as HTML
1334 * and potentially execute JavaScript, creating a cross-site scripting
1335 * attack vectors.
1336 *
1337 * Apple's Safari browser also performs some unsafe file type autodetection
1338 * which can cause legitimate files to be interpreted as HTML if the
1339 * web server is not correctly configured to send the right content-type
1340 * (or if you're really uploading plain text and octet streams!)
1341 *
1342 * Returns true if IE is likely to mistake the given file for HTML.
1343 * Also returns true if Safari would mistake the given file for HTML
1344 * when served with a generic content-type.
1345 */
1346
1347 $tags = array(
1348 '<body',
1349 '<head',
1350 '<html', #also in safari
1351 '<img',
1352 '<pre',
1353 '<script', #also in safari
1354 '<table'
1355 );
1356 if( ! $wgAllowTitlesInSVG && $extension !== 'svg' && $mime !== 'image/svg' ) {
1357 $tags[] = '<title';
1358 }
1359
1360 foreach( $tags as $tag ) {
1361 if( false !== strpos( $chunk, $tag ) ) {
1362 return true;
1363 }
1364 }
1365
1366 /*
1367 * look for javascript
1368 */
1369
1370 #resolve entity-refs to look at attributes. may be harsh on big files... cache result?
1371 $chunk = Sanitizer::decodeCharReferences( $chunk );
1372
1373 #look for script-types
1374 if (preg_match('!type\s*=\s*[\'"]?\s*(?:\w*/)?(?:ecma|java)!sim',$chunk)) return true;
1375
1376 #look for html-style script-urls
1377 if (preg_match('!(?:href|src|data)\s*=\s*[\'"]?\s*(?:ecma|java)script:!sim',$chunk)) return true;
1378
1379 #look for css-style script-urls
1380 if (preg_match('!url\s*\(\s*[\'"]?\s*(?:ecma|java)script:!sim',$chunk)) return true;
1381
1382 wfDebug("SpecialUpload::detectScript: no scripts found\n");
1383 return false;
1384 }
1385
1386 /**
1387 * Generic wrapper function for a virus scanner program.
1388 * This relies on the $wgAntivirus and $wgAntivirusSetup variables.
1389 * $wgAntivirusRequired may be used to deny upload if the scan fails.
1390 *
1391 * @param string $file Pathname to the temporary upload file
1392 * @return mixed false if not virus is found, NULL if the scan fails or is disabled,
1393 * or a string containing feedback from the virus scanner if a virus was found.
1394 * If textual feedback is missing but a virus was found, this function returns true.
1395 */
1396 function detectVirus($file) {
1397 global $wgAntivirus, $wgAntivirusSetup, $wgAntivirusRequired, $wgOut;
1398
1399 if ( !$wgAntivirus ) {
1400 wfDebug( __METHOD__.": virus scanner disabled\n");
1401 return NULL;
1402 }
1403
1404 if ( !$wgAntivirusSetup[$wgAntivirus] ) {
1405 wfDebug( __METHOD__.": unknown virus scanner: $wgAntivirus\n" );
1406 # @TODO: localise
1407 $wgOut->addHTML( "<div class='error'>Bad configuration: unknown virus scanner: <i>$wgAntivirus</i></div>\n" );
1408 return "unknown antivirus: $wgAntivirus";
1409 }
1410
1411 # look up scanner configuration
1412 $command = $wgAntivirusSetup[$wgAntivirus]["command"];
1413 $exitCodeMap = $wgAntivirusSetup[$wgAntivirus]["codemap"];
1414 $msgPattern = isset( $wgAntivirusSetup[$wgAntivirus]["messagepattern"] ) ?
1415 $wgAntivirusSetup[$wgAntivirus]["messagepattern"] : null;
1416
1417 if ( strpos( $command,"%f" ) === false ) {
1418 # simple pattern: append file to scan
1419 $command .= " " . wfEscapeShellArg( $file );
1420 } else {
1421 # complex pattern: replace "%f" with file to scan
1422 $command = str_replace( "%f", wfEscapeShellArg( $file ), $command );
1423 }
1424
1425 wfDebug( __METHOD__.": running virus scan: $command \n" );
1426
1427 # execute virus scanner
1428 $exitCode = false;
1429
1430 #NOTE: there's a 50 line workaround to make stderr redirection work on windows, too.
1431 # that does not seem to be worth the pain.
1432 # Ask me (Duesentrieb) about it if it's ever needed.
1433 $output = array();
1434 if ( wfIsWindows() ) {
1435 exec( "$command", $output, $exitCode );
1436 } else {
1437 exec( "$command 2>&1", $output, $exitCode );
1438 }
1439
1440 # map exit code to AV_xxx constants.
1441 $mappedCode = $exitCode;
1442 if ( $exitCodeMap ) {
1443 if ( isset( $exitCodeMap[$exitCode] ) ) {
1444 $mappedCode = $exitCodeMap[$exitCode];
1445 } elseif ( isset( $exitCodeMap["*"] ) ) {
1446 $mappedCode = $exitCodeMap["*"];
1447 }
1448 }
1449
1450 if ( $mappedCode === AV_SCAN_FAILED ) {
1451 # scan failed (code was mapped to false by $exitCodeMap)
1452 wfDebug( __METHOD__.": failed to scan $file (code $exitCode).\n" );
1453
1454 if ( $wgAntivirusRequired ) {
1455 return "scan failed (code $exitCode)";
1456 } else {
1457 return NULL;
1458 }
1459 } else if ( $mappedCode === AV_SCAN_ABORTED ) {
1460 # scan failed because filetype is unknown (probably imune)
1461 wfDebug( __METHOD__.": unsupported file type $file (code $exitCode).\n" );
1462 return NULL;
1463 } else if ( $mappedCode === AV_NO_VIRUS ) {
1464 # no virus found
1465 wfDebug( __METHOD__.": file passed virus scan.\n" );
1466 return false;
1467 } else {
1468 $output = join( "\n", $output );
1469 $output = trim( $output );
1470
1471 if ( !$output ) {
1472 $output = true; #if there's no output, return true
1473 } elseif ( $msgPattern ) {
1474 $groups = array();
1475 if ( preg_match( $msgPattern, $output, $groups ) ) {
1476 if ( $groups[1] ) {
1477 $output = $groups[1];
1478 }
1479 }
1480 }
1481
1482 wfDebug( __METHOD__.": FOUND VIRUS! scanner feedback: $output" );
1483 return $output;
1484 }
1485 }
1486
1487 /**
1488 * Check if the temporary file is MacBinary-encoded, as some uploads
1489 * from Internet Explorer on Mac OS Classic and Mac OS X will be.
1490 * If so, the data fork will be extracted to a second temporary file,
1491 * which will then be checked for validity and either kept or discarded.
1492 *
1493 * @access private
1494 */
1495 function checkMacBinary() {
1496 $macbin = new MacBinary( $this->mTempPath );
1497 if( $macbin->isValid() ) {
1498 $dataFile = tempnam( wfTempDir(), "WikiMacBinary" );
1499 $dataHandle = fopen( $dataFile, 'wb' );
1500
1501 wfDebug( "SpecialUpload::checkMacBinary: Extracting MacBinary data fork to $dataFile\n" );
1502 $macbin->extractData( $dataHandle );
1503
1504 $this->mTempPath = $dataFile;
1505 $this->mFileSize = $macbin->dataForkLength();
1506
1507 // We'll have to manually remove the new file if it's not kept.
1508 $this->mRemoveTempFile = true;
1509 }
1510 $macbin->close();
1511 }
1512
1513 /**
1514 * If we've modified the upload file we need to manually remove it
1515 * on exit to clean up.
1516 * @access private
1517 */
1518 function cleanupTempFile() {
1519 if ( $this->mRemoveTempFile && file_exists( $this->mTempPath ) ) {
1520 wfDebug( "SpecialUpload::cleanupTempFile: Removing temporary file {$this->mTempPath}\n" );
1521 unlink( $this->mTempPath );
1522 }
1523 }
1524
1525 /**
1526 * Check if there's an overwrite conflict and, if so, if restrictions
1527 * forbid this user from performing the upload.
1528 *
1529 * @return mixed true on success, WikiError on failure
1530 * @access private
1531 */
1532 function checkOverwrite( $name ) {
1533 $img = wfFindFile( $name );
1534
1535 $error = '';
1536 if( $img ) {
1537 global $wgUser, $wgOut;
1538 if( $img->isLocal() ) {
1539 if( !self::userCanReUpload( $wgUser, $img->name ) ) {
1540 $error = 'fileexists-forbidden';
1541 }
1542 } else {
1543 if( !$wgUser->isAllowed( 'reupload' ) ||
1544 !$wgUser->isAllowed( 'reupload-shared' ) ) {
1545 $error = "fileexists-shared-forbidden";
1546 }
1547 }
1548 }
1549
1550 if( $error ) {
1551 $errorText = wfMsg( $error, wfEscapeWikiText( $img->getName() ) );
1552 return $errorText;
1553 }
1554
1555 // Rockin', go ahead and upload
1556 return true;
1557 }
1558
1559 /**
1560 * Check if a user is the last uploader
1561 *
1562 * @param User $user
1563 * @param string $img, image name
1564 * @return bool
1565 */
1566 public static function userCanReUpload( User $user, $img ) {
1567 if( $user->isAllowed( 'reupload' ) )
1568 return true; // non-conditional
1569 if( !$user->isAllowed( 'reupload-own' ) )
1570 return false;
1571
1572 $dbr = wfGetDB( DB_SLAVE );
1573 $row = $dbr->selectRow('image',
1574 /* SELECT */ 'img_user',
1575 /* WHERE */ array( 'img_name' => $img )
1576 );
1577 if ( !$row )
1578 return false;
1579
1580 return $user->getID() == $row->img_user;
1581 }
1582
1583 /**
1584 * Display an error with a wikitext description
1585 */
1586 function showError( $description ) {
1587 global $wgOut;
1588 $wgOut->setPageTitle( wfMsg( "internalerror" ) );
1589 $wgOut->setRobotpolicy( "noindex,nofollow" );
1590 $wgOut->setArticleRelated( false );
1591 $wgOut->enableClientCache( false );
1592 $wgOut->addWikiText( $description );
1593 }
1594
1595 /**
1596 * Get the initial image page text based on a comment and optional file status information
1597 */
1598 static function getInitialPageText( $comment, $license, $copyStatus, $source ) {
1599 global $wgUseCopyrightUpload;
1600 if ( $wgUseCopyrightUpload ) {
1601 if ( $license != '' ) {
1602 $licensetxt = '== ' . wfMsgForContent( 'license' ) . " ==\n" . '{{' . $license . '}}' . "\n";
1603 }
1604 $pageText = '== ' . wfMsg ( 'filedesc' ) . " ==\n" . $comment . "\n" .
1605 '== ' . wfMsgForContent ( 'filestatus' ) . " ==\n" . $copyStatus . "\n" .
1606 "$licensetxt" .
1607 '== ' . wfMsgForContent ( 'filesource' ) . " ==\n" . $source ;
1608 } else {
1609 if ( $license != '' ) {
1610 $filedesc = $comment == '' ? '' : '== ' . wfMsg ( 'filedesc' ) . " ==\n" . $comment . "\n";
1611 $pageText = $filedesc .
1612 '== ' . wfMsgForContent ( 'license' ) . " ==\n" . '{{' . $license . '}}' . "\n";
1613 } else {
1614 $pageText = $comment;
1615 }
1616 }
1617 return $pageText;
1618 }
1619
1620 /**
1621 * If there are rows in the deletion log for this file, show them,
1622 * along with a nice little note for the user
1623 *
1624 * @param OutputPage $out
1625 * @param string filename
1626 */
1627 private function showDeletionLog( $out, $filename ) {
1628 $reader = new LogReader(
1629 new FauxRequest(
1630 array(
1631 'page' => $filename,
1632 'type' => 'delete',
1633 )
1634 )
1635 );
1636 if( $reader->hasRows() ) {
1637 $out->addHtml( '<div id="mw-upload-deleted-warn">' );
1638 $out->addWikiText( wfMsg( 'upload-wasdeleted' ) );
1639 $viewer = new LogViewer( $reader );
1640 $viewer->showList( $out );
1641 $out->addHtml( '</div>' );
1642 }
1643 }
1644 }