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