3 * Implements Special:Upload
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
21 * @ingroup SpecialPage
26 * Form for handling uploads and special page.
28 * @ingroup SpecialPage
31 class SpecialUpload
extends SpecialPage
{
33 * Constructor : initialise object
34 * Get data POSTed through the form and assign them to the object
35 * @param WebRequest $request Data posted.
37 public function __construct( $request = null ) {
38 parent
::__construct( 'Upload', 'upload' );
41 public function doesWrites() {
45 /** Misc variables **/
47 /** @var WebRequest|FauxRequest The request this form is supposed to handle */
51 /** @var UploadBase */
56 public $mUploadClicked;
58 /** User input variables from the "description" section **/
60 /** @var string The requested target file name */
61 public $mDesiredDestName;
65 /** User input variables from the root section **/
67 public $mIgnoreWarning;
69 public $mCopyrightStatus;
70 public $mCopyrightSource;
72 /** Hidden variables **/
74 public $mDestWarningAck;
76 /** @var bool The user followed an "overwrite this file" link */
79 /** @var bool The user clicked "Cancel and return to upload form" button */
80 public $mCancelUpload;
83 /** @var bool Subclasses can use this to determine whether a file was uploaded */
84 public $mUploadSuccessful = false;
86 /** Text injection points for hooks not using HTMLForm **/
87 public $uploadFormTextTop;
88 public $uploadFormTextAfterSummary;
91 * Initialize instance variables from request and create an Upload handler
93 protected function loadRequest() {
94 $this->mRequest
= $request = $this->getRequest();
95 $this->mSourceType
= $request->getVal( 'wpSourceType', 'file' );
96 $this->mUpload
= UploadBase
::createFromRequest( $request );
97 $this->mUploadClicked
= $request->wasPosted()
98 && ( $request->getCheck( 'wpUpload' )
99 ||
$request->getCheck( 'wpUploadIgnoreWarning' ) );
101 // Guess the desired name from the filename if not provided
102 $this->mDesiredDestName
= $request->getText( 'wpDestFile' );
103 if ( !$this->mDesiredDestName
&& $request->getFileName( 'wpUploadFile' ) !== null ) {
104 $this->mDesiredDestName
= $request->getFileName( 'wpUploadFile' );
106 $this->mLicense
= $request->getText( 'wpLicense' );
108 $this->mDestWarningAck
= $request->getText( 'wpDestFileWarningAck' );
109 $this->mIgnoreWarning
= $request->getCheck( 'wpIgnoreWarning' )
110 ||
$request->getCheck( 'wpUploadIgnoreWarning' );
111 $this->mWatchthis
= $request->getBool( 'wpWatchthis' ) && $this->getUser()->isLoggedIn();
112 $this->mCopyrightStatus
= $request->getText( 'wpUploadCopyStatus' );
113 $this->mCopyrightSource
= $request->getText( 'wpUploadSource' );
115 $this->mForReUpload
= $request->getBool( 'wpForReUpload' ); // updating a file
117 $commentDefault = '';
118 $commentMsg = wfMessage( 'upload-default-description' )->inContentLanguage();
119 if ( !$this->mForReUpload
&& !$commentMsg->isDisabled() ) {
120 $commentDefault = $commentMsg->plain();
122 $this->mComment
= $request->getText( 'wpUploadDescription', $commentDefault );
124 $this->mCancelUpload
= $request->getCheck( 'wpCancelUpload' )
125 ||
$request->getCheck( 'wpReUpload' ); // b/w compat
127 // If it was posted check for the token (no remote POST'ing with user credentials)
128 $token = $request->getVal( 'wpEditToken' );
129 $this->mTokenOk
= $this->getUser()->matchEditToken( $token );
131 $this->uploadFormTextTop
= '';
132 $this->uploadFormTextAfterSummary
= '';
136 * This page can be shown if uploading is enabled.
137 * Handle permission checking elsewhere in order to be able to show
138 * custom error messages.
143 public function userCanExecute( User
$user ) {
144 return UploadBase
::isEnabled() && parent
::userCanExecute( $user );
148 * Special page entry point
150 * @throws ErrorPageError
153 * @throws MWException
154 * @throws PermissionsError
155 * @throws ReadOnlyError
156 * @throws UserBlockedError
158 public function execute( $par ) {
159 $this->useTransactionalTimeLimit();
162 $this->outputHeader();
164 # Check uploading enabled
165 if ( !UploadBase
::isEnabled() ) {
166 throw new ErrorPageError( 'uploaddisabled', 'uploaddisabledtext' );
169 $this->addHelpLink( 'Help:Managing files' );
172 $user = $this->getUser();
173 $permissionRequired = UploadBase
::isAllowed( $user );
174 if ( $permissionRequired !== true ) {
175 throw new PermissionsError( $permissionRequired );
179 if ( $user->isBlocked() ) {
180 throw new UserBlockedError( $user->getBlock() );
184 if ( $user->isBlockedGlobally() ) {
185 throw new UserBlockedError( $user->getGlobalBlock() );
188 # Check whether we actually want to allow changing stuff
189 $this->checkReadOnly();
191 $this->loadRequest();
193 # Unsave the temporary file in case this was a cancelled upload
194 if ( $this->mCancelUpload
) {
195 if ( !$this->unsaveUploadedFile() ) {
196 # Something went wrong, so unsaveUploadedFile showed a warning
201 # Process upload or show a form
203 $this->mTokenOk
&& !$this->mCancelUpload
&&
204 ( $this->mUpload
&& $this->mUploadClicked
)
206 $this->processUpload();
208 # Backwards compatibility hook
209 if ( !Hooks
::run( 'UploadForm:initial', [ &$this ] ) ) {
210 wfDebug( "Hook 'UploadForm:initial' broke output of the upload form\n" );
214 $this->showUploadForm( $this->getUploadForm() );
218 if ( $this->mUpload
) {
219 $this->mUpload
->cleanupTempFile();
224 * Show the main upload form
226 * @param HTMLForm|string $form An HTMLForm instance or HTML string to show
228 protected function showUploadForm( $form ) {
229 # Add links if file was previously deleted
230 if ( $this->mDesiredDestName
) {
231 $this->showViewDeletedLinks();
234 if ( $form instanceof HTMLForm
) {
237 $this->getOutput()->addHTML( $form );
242 * Get an UploadForm instance with title and text properly set.
244 * @param string $message HTML string to add to the form
245 * @param string $sessionKey Session key in case this is a stashed upload
246 * @param bool $hideIgnoreWarning Whether to hide "ignore warning" check box
249 protected function getUploadForm( $message = '', $sessionKey = '', $hideIgnoreWarning = false ) {
251 $context = new DerivativeContext( $this->getContext() );
252 $context->setTitle( $this->getPageTitle() ); // Remove subpage
253 $form = new UploadForm( [
254 'watch' => $this->getWatchCheck(),
255 'forreupload' => $this->mForReUpload
,
256 'sessionkey' => $sessionKey,
257 'hideignorewarning' => $hideIgnoreWarning,
258 'destwarningack' => (bool)$this->mDestWarningAck
,
260 'description' => $this->mComment
,
261 'texttop' => $this->uploadFormTextTop
,
262 'textaftersummary' => $this->uploadFormTextAfterSummary
,
263 'destfile' => $this->mDesiredDestName
,
266 # Check the token, but only if necessary
268 !$this->mTokenOk
&& !$this->mCancelUpload
&&
269 ( $this->mUpload
&& $this->mUploadClicked
)
271 $form->addPreText( $this->msg( 'session_fail_preview' )->parse() );
274 # Give a notice if the user is uploading a file that has been deleted or moved
275 # Note that this is independent from the message 'filewasdeleted'
276 $desiredTitleObj = Title
::makeTitleSafe( NS_FILE
, $this->mDesiredDestName
);
277 $delNotice = ''; // empty by default
278 if ( $desiredTitleObj instanceof Title
&& !$desiredTitleObj->exists() ) {
279 LogEventsList
::showLogExtract( $delNotice, [ 'delete', 'move' ],
282 'conds' => [ "log_action != 'revision'" ],
283 'showIfEmpty' => false,
284 'msgKey' => [ 'upload-recreate-warning' ] ]
287 $form->addPreText( $delNotice );
290 $form->addPreText( '<div id="uploadtext">' .
291 $this->msg( 'uploadtext', [ $this->mDesiredDestName
] )->parseAsBlock() .
293 # Add upload error message
294 $form->addPreText( $message );
297 $uploadFooter = $this->msg( 'uploadfooter' );
298 if ( !$uploadFooter->isDisabled() ) {
299 $form->addPostText( '<div id="mw-upload-footer-message">'
300 . $uploadFooter->parseAsBlock() . "</div>\n" );
307 * Shows the "view X deleted revivions link""
309 protected function showViewDeletedLinks() {
310 $title = Title
::makeTitleSafe( NS_FILE
, $this->mDesiredDestName
);
311 $user = $this->getUser();
312 // Show a subtitle link to deleted revisions (to sysops et al only)
313 if ( $title instanceof Title
) {
314 $count = $title->isDeleted();
315 if ( $count > 0 && $user->isAllowed( 'deletedhistory' ) ) {
316 $restorelink = Linker
::linkKnown(
317 SpecialPage
::getTitleFor( 'Undelete', $title->getPrefixedText() ),
318 $this->msg( 'restorelink' )->numParams( $count )->escaped()
320 $link = $this->msg( $user->isAllowed( 'delete' ) ?
'thisisdeleted' : 'viewdeleted' )
321 ->rawParams( $restorelink )->parseAsBlock();
322 $this->getOutput()->addHTML( "<div id=\"contentSub2\">{$link}</div>" );
328 * Stashes the upload and shows the main upload form.
330 * Note: only errors that can be handled by changing the name or
331 * description should be redirected here. It should be assumed that the
332 * file itself is sane and has passed UploadBase::verifyFile. This
333 * essentially means that UploadBase::VERIFICATION_ERROR and
334 * UploadBase::EMPTY_FILE should not be passed here.
336 * @param string $message HTML message to be passed to mainUploadForm
338 protected function showRecoverableUploadError( $message ) {
339 $sessionKey = $this->mUpload
->stashSession();
340 $message = '<h2>' . $this->msg( 'uploaderror' )->escaped() . "</h2>\n" .
341 '<div class="error">' . $message . "</div>\n";
343 $form = $this->getUploadForm( $message, $sessionKey );
344 $form->setSubmitText( $this->msg( 'upload-tryagain' )->escaped() );
345 $this->showUploadForm( $form );
349 * Stashes the upload, shows the main form, but adds a "continue anyway button".
350 * Also checks whether there are actually warnings to display.
352 * @param array $warnings
353 * @return bool True if warnings were displayed, false if there are no
354 * warnings and it should continue processing
356 protected function showUploadWarning( $warnings ) {
357 # If there are no warnings, or warnings we can ignore, return early.
358 # mDestWarningAck is set when some javascript has shown the warning
359 # to the user. mForReUpload is set when the user clicks the "upload a
361 if ( !$warnings ||
( count( $warnings ) == 1
362 && isset( $warnings['exists'] )
363 && ( $this->mDestWarningAck ||
$this->mForReUpload
) )
368 $sessionKey = $this->mUpload
->stashSession();
370 // Add styles for the warning, reused from the live preview
371 $this->getOutput()->addModuleStyles( 'mediawiki.special.upload.styles' );
373 $warningHtml = '<h2>' . $this->msg( 'uploadwarning' )->escaped() . "</h2>\n"
374 . '<div class="mw-destfile-warning"><ul>';
375 foreach ( $warnings as $warning => $args ) {
376 if ( $warning == 'badfilename' ) {
377 $this->mDesiredDestName
= Title
::makeTitle( NS_FILE
, $args )->getText();
379 if ( $warning == 'exists' ) {
380 $msg = "\t<li>" . self
::getExistsWarning( $args ) . "</li>\n";
381 } elseif ( $warning == 'was-deleted' ) {
382 # If the file existed before and was deleted, warn the user of this
383 $ltitle = SpecialPage
::getTitleFor( 'Log' );
384 $llink = Linker
::linkKnown(
386 wfMessage( 'deletionlog' )->escaped(),
390 'page' => Title
::makeTitle( NS_FILE
, $args )->getPrefixedText(),
393 $msg = "\t<li>" . wfMessage( 'filewasdeleted' )->rawParams( $llink )->parse() . "</li>\n";
394 } elseif ( $warning == 'duplicate' ) {
395 $msg = $this->getDupeWarning( $args );
396 } elseif ( $warning == 'duplicate-archive' ) {
397 if ( $args === '' ) {
398 $msg = "\t<li>" . $this->msg( 'file-deleted-duplicate-notitle' )->parse()
401 $msg = "\t<li>" . $this->msg( 'file-deleted-duplicate',
402 Title
::makeTitle( NS_FILE
, $args )->getPrefixedText() )->parse()
406 if ( $args === true ) {
408 } elseif ( !is_array( $args ) ) {
411 $msg = "\t<li>" . $this->msg( $warning, $args )->parse() . "</li>\n";
413 $warningHtml .= $msg;
415 $warningHtml .= "</ul></div>\n";
416 $warningHtml .= $this->msg( 'uploadwarning-text' )->parseAsBlock();
418 $form = $this->getUploadForm( $warningHtml, $sessionKey, /* $hideIgnoreWarning */ true );
419 $form->setSubmitText( $this->msg( 'upload-tryagain' )->text() );
421 'name' => 'wpUploadIgnoreWarning',
422 'value' => $this->msg( 'ignorewarning' )->text()
425 'name' => 'wpCancelUpload',
426 'value' => $this->msg( 'reuploaddesc' )->text()
429 $this->showUploadForm( $form );
431 # Indicate that we showed a form
436 * Show the upload form with error message, but do not stash the file.
438 * @param string $message HTML string
440 protected function showUploadError( $message ) {
441 $message = '<h2>' . $this->msg( 'uploadwarning' )->escaped() . "</h2>\n" .
442 '<div class="error">' . $message . "</div>\n";
443 $this->showUploadForm( $this->getUploadForm( $message ) );
448 * Checks are made in SpecialUpload::execute()
450 protected function processUpload() {
451 // Fetch the file if required
452 $status = $this->mUpload
->fetchFile();
453 if ( !$status->isOK() ) {
454 $this->showUploadError( $this->getOutput()->parse( $status->getWikiText() ) );
459 if ( !Hooks
::run( 'UploadForm:BeforeProcessing', [ &$this ] ) ) {
460 wfDebug( "Hook 'UploadForm:BeforeProcessing' broke processing the file.\n" );
461 // This code path is deprecated. If you want to break upload processing
462 // do so by hooking into the appropriate hooks in UploadBase::verifyUpload
463 // and UploadBase::verifyFile.
464 // If you use this hook to break uploading, the user will be returned
465 // an empty form with no error message whatsoever.
469 // Upload verification
470 $details = $this->mUpload
->verifyUpload();
471 if ( $details['status'] != UploadBase
::OK
) {
472 $this->processVerificationError( $details );
477 // Verify permissions for this title
478 $permErrors = $this->mUpload
->verifyTitlePermissions( $this->getUser() );
479 if ( $permErrors !== true ) {
480 $code = array_shift( $permErrors[0] );
481 $this->showRecoverableUploadError( $this->msg( $code, $permErrors[0] )->parse() );
486 $this->mLocalFile
= $this->mUpload
->getLocalFile();
488 // Check warnings if necessary
489 if ( !$this->mIgnoreWarning
) {
490 $warnings = $this->mUpload
->checkWarnings();
491 if ( $this->showUploadWarning( $warnings ) ) {
496 // This is as late as we can throttle, after expected issues have been handled
497 if ( UploadBase
::isThrottled( $this->getUser() ) ) {
498 $this->showRecoverableUploadError(
499 $this->msg( 'actionthrottledtext' )->escaped()
504 // Get the page text if this is not a reupload
505 if ( !$this->mForReUpload
) {
506 $pageText = self
::getInitialPageText( $this->mComment
, $this->mLicense
,
507 $this->mCopyrightStatus
, $this->mCopyrightSource
, $this->getConfig() );
512 $changeTags = $this->getRequest()->getVal( 'wpChangeTags' );
513 if ( is_null( $changeTags ) ||
$changeTags === '' ) {
516 $changeTags = array_filter( array_map( 'trim', explode( ',', $changeTags ) ) );
520 $changeTagsStatus = ChangeTags
::canAddTagsAccompanyingChange(
521 $changeTags, $this->getUser() );
522 if ( !$changeTagsStatus->isOK() ) {
523 $this->showUploadError( $this->getOutput()->parse( $changeTagsStatus->getWikiText() ) );
529 $status = $this->mUpload
->performUpload(
537 if ( !$status->isGood() ) {
538 $this->showUploadError( $this->getOutput()->parse( $status->getWikiText() ) );
543 // Success, redirect to description page
544 $this->mUploadSuccessful
= true;
545 Hooks
::run( 'SpecialUploadComplete', [ &$this ] );
546 $this->getOutput()->redirect( $this->mLocalFile
->getTitle()->getFullURL() );
550 * Get the initial image page text based on a comment and optional file status information
551 * @param string $comment
552 * @param string $license
553 * @param string $copyStatus
554 * @param string $source
555 * @param Config $config Configuration object to load data from
558 public static function getInitialPageText( $comment = '', $license = '',
559 $copyStatus = '', $source = '', Config
$config = null
561 if ( $config === null ) {
562 wfDebug( __METHOD__
. ' called without a Config instance passed to it' );
563 $config = ConfigFactory
::getDefaultInstance()->makeConfig( 'main' );
567 $forceUIMsgAsContentMsg = (array)$config->get( 'ForceUIMsgAsContentMsg' );
568 /* These messages are transcluded into the actual text of the description page.
569 * Thus, forcing them as content messages makes the upload to produce an int: template
570 * instead of hardcoding it there in the uploader language.
572 foreach ( [ 'license-header', 'filedesc', 'filestatus', 'filesource' ] as $msgName ) {
573 if ( in_array( $msgName, $forceUIMsgAsContentMsg ) ) {
574 $msg[$msgName] = "{{int:$msgName}}";
576 $msg[$msgName] = wfMessage( $msgName )->inContentLanguage()->text();
580 if ( $config->get( 'UseCopyrightUpload' ) ) {
582 if ( $license != '' ) {
583 $licensetxt = '== ' . $msg['license-header'] . " ==\n" . '{{' . $license . '}}' . "\n";
585 $pageText = '== ' . $msg['filedesc'] . " ==\n" . $comment . "\n" .
586 '== ' . $msg['filestatus'] . " ==\n" . $copyStatus . "\n" .
588 '== ' . $msg['filesource'] . " ==\n" . $source;
590 if ( $license != '' ) {
591 $filedesc = $comment == '' ?
'' : '== ' . $msg['filedesc'] . " ==\n" . $comment . "\n";
592 $pageText = $filedesc .
593 '== ' . $msg['license-header'] . " ==\n" . '{{' . $license . '}}' . "\n";
595 $pageText = $comment;
603 * See if we should check the 'watch this page' checkbox on the form
604 * based on the user's preferences and whether we're being asked
605 * to create a new file or update an existing one.
607 * In the case where 'watch edits' is off but 'watch creations' is on,
608 * we'll leave the box unchecked.
610 * Note that the page target can be changed *on the form*, so our check
611 * state can get out of sync.
612 * @return bool|string
614 protected function getWatchCheck() {
615 if ( $this->getUser()->getOption( 'watchdefault' ) ) {
620 $desiredTitleObj = Title
::makeTitleSafe( NS_FILE
, $this->mDesiredDestName
);
621 if ( $desiredTitleObj instanceof Title
&& $this->getUser()->isWatched( $desiredTitleObj ) ) {
622 // Already watched, don't change that
626 $local = wfLocalFile( $this->mDesiredDestName
);
627 if ( $local && $local->exists() ) {
628 // We're uploading a new version of an existing file.
629 // No creation, so don't watch it if we're not already.
632 // New page should get watched if that's our option.
633 return $this->getUser()->getOption( 'watchcreations' ) ||
634 $this->getUser()->getOption( 'watchuploads' );
639 * Provides output to the user for a result of UploadBase::verifyUpload
641 * @param array $details Result of UploadBase::verifyUpload
642 * @throws MWException
644 protected function processVerificationError( $details ) {
645 switch ( $details['status'] ) {
647 /** Statuses that only require name changing **/
648 case UploadBase
::MIN_LENGTH_PARTNAME
:
649 $this->showRecoverableUploadError( $this->msg( 'minlength1' )->escaped() );
651 case UploadBase
::ILLEGAL_FILENAME
:
652 $this->showRecoverableUploadError( $this->msg( 'illegalfilename',
653 $details['filtered'] )->parse() );
655 case UploadBase
::FILENAME_TOO_LONG
:
656 $this->showRecoverableUploadError( $this->msg( 'filename-toolong' )->escaped() );
658 case UploadBase
::FILETYPE_MISSING
:
659 $this->showRecoverableUploadError( $this->msg( 'filetype-missing' )->parse() );
661 case UploadBase
::WINDOWS_NONASCII_FILENAME
:
662 $this->showRecoverableUploadError( $this->msg( 'windows-nonascii-filename' )->parse() );
665 /** Statuses that require reuploading **/
666 case UploadBase
::EMPTY_FILE
:
667 $this->showUploadError( $this->msg( 'emptyfile' )->escaped() );
669 case UploadBase
::FILE_TOO_LARGE
:
670 $this->showUploadError( $this->msg( 'largefileserver' )->escaped() );
672 case UploadBase
::FILETYPE_BADTYPE
:
673 $msg = $this->msg( 'filetype-banned-type' );
674 if ( isset( $details['blacklistedExt'] ) ) {
675 $msg->params( $this->getLanguage()->commaList( $details['blacklistedExt'] ) );
677 $msg->params( $details['finalExt'] );
679 $extensions = array_unique( $this->getConfig()->get( 'FileExtensions' ) );
680 $msg->params( $this->getLanguage()->commaList( $extensions ),
681 count( $extensions ) );
683 // Add PLURAL support for the first parameter. This results
684 // in a bit unlogical parameter sequence, but does not break
686 if ( isset( $details['blacklistedExt'] ) ) {
687 $msg->params( count( $details['blacklistedExt'] ) );
692 $this->showUploadError( $msg->parse() );
694 case UploadBase
::VERIFICATION_ERROR
:
695 unset( $details['status'] );
696 $code = array_shift( $details['details'] );
697 $this->showUploadError( $this->msg( $code, $details['details'] )->parse() );
699 case UploadBase
::HOOK_ABORTED
:
700 if ( is_array( $details['error'] ) ) { # allow hooks to return error details in an array
701 $args = $details['error'];
702 $error = array_shift( $args );
704 $error = $details['error'];
708 $this->showUploadError( $this->msg( $error, $args )->parse() );
711 throw new MWException( __METHOD__
. ": Unknown value `{$details['status']}`" );
716 * Remove a temporarily kept file stashed by saveTempUploadedFile().
718 * @return bool Success
720 protected function unsaveUploadedFile() {
721 if ( !( $this->mUpload
instanceof UploadFromStash
) ) {
724 $success = $this->mUpload
->unsaveUploadedFile();
726 $this->getOutput()->showFileDeleteError( $this->mUpload
->getTempPath() );
734 /*** Functions for formatting warnings ***/
737 * Formats a result of UploadBase::getExistsWarning as HTML
738 * This check is static and can be done pre-upload via AJAX
740 * @param array $exists The result of UploadBase::getExistsWarning
741 * @return string Empty string if there is no warning or an HTML fragment
743 public static function getExistsWarning( $exists ) {
748 $file = $exists['file'];
749 $filename = $file->getTitle()->getPrefixedText();
752 if ( $exists['warning'] == 'exists' ) {
754 $warning = wfMessage( 'fileexists', $filename )->parse();
755 } elseif ( $exists['warning'] == 'page-exists' ) {
756 // Page exists but file does not
757 $warning = wfMessage( 'filepageexists', $filename )->parse();
758 } elseif ( $exists['warning'] == 'exists-normalized' ) {
759 $warning = wfMessage( 'fileexists-extension', $filename,
760 $exists['normalizedFile']->getTitle()->getPrefixedText() )->parse();
761 } elseif ( $exists['warning'] == 'thumb' ) {
762 // Swapped argument order compared with other messages for backwards compatibility
763 $warning = wfMessage( 'fileexists-thumbnail-yes',
764 $exists['thumbFile']->getTitle()->getPrefixedText(), $filename )->parse();
765 } elseif ( $exists['warning'] == 'thumb-name' ) {
766 // Image w/o '180px-' does not exists, but we do not like these filenames
767 $name = $file->getName();
768 $badPart = substr( $name, 0, strpos( $name, '-' ) +
1 );
769 $warning = wfMessage( 'file-thumbnail-no', $badPart )->parse();
770 } elseif ( $exists['warning'] == 'bad-prefix' ) {
771 $warning = wfMessage( 'filename-bad-prefix', $exists['prefix'] )->parse();
778 * Construct a warning and a gallery from an array of duplicate files.
779 * @param array $dupes
782 public function getDupeWarning( $dupes ) {
787 $gallery = ImageGalleryBase
::factory( false, $this->getContext() );
788 $gallery->setShowBytes( false );
789 foreach ( $dupes as $file ) {
790 $gallery->add( $file->getTitle() );
794 $this->msg( 'file-exists-duplicate' )->numParams( count( $dupes ) )->parse() .
795 $gallery->toHTML() . "</li>\n";
798 protected function getGroupName() {
803 * Should we rotate images in the preview on Special:Upload.
805 * This controls js: mw.config.get( 'wgFileCanRotate' )
807 * @todo What about non-BitmapHandler handled files?
809 public static function rotationEnabled() {
810 $bitmapHandler = new BitmapHandler();
811 return $bitmapHandler->autoRotateEnabled();
816 * Sub class of HTMLForm that provides the form section of SpecialUpload
818 class UploadForm
extends HTMLForm
{
820 protected $mForReUpload;
821 protected $mSessionKey;
822 protected $mHideIgnoreWarning;
823 protected $mDestWarningAck;
824 protected $mDestFile;
828 protected $mTextAfterSummary;
830 protected $mSourceIds;
832 protected $mMaxFileSize = [];
834 protected $mMaxUploadSize = [];
836 public function __construct( array $options = [], IContextSource
$context = null ) {
837 if ( $context instanceof IContextSource
) {
838 $this->setContext( $context );
841 $this->mWatch
= !empty( $options['watch'] );
842 $this->mForReUpload
= !empty( $options['forreupload'] );
843 $this->mSessionKey
= isset( $options['sessionkey'] ) ?
$options['sessionkey'] : '';
844 $this->mHideIgnoreWarning
= !empty( $options['hideignorewarning'] );
845 $this->mDestWarningAck
= !empty( $options['destwarningack'] );
846 $this->mDestFile
= isset( $options['destfile'] ) ?
$options['destfile'] : '';
848 $this->mComment
= isset( $options['description'] ) ?
849 $options['description'] : '';
851 $this->mTextTop
= isset( $options['texttop'] )
852 ?
$options['texttop'] : '';
854 $this->mTextAfterSummary
= isset( $options['textaftersummary'] )
855 ?
$options['textaftersummary'] : '';
857 $sourceDescriptor = $this->getSourceSection();
858 $descriptor = $sourceDescriptor
859 +
$this->getDescriptionSection()
860 +
$this->getOptionsSection();
862 Hooks
::run( 'UploadFormInitDescriptor', [ &$descriptor ] );
863 parent
::__construct( $descriptor, $context, 'upload' );
865 # Add a link to edit MediaWik:Licenses
866 if ( $this->getUser()->isAllowed( 'editinterface' ) ) {
867 $this->getOutput()->addModuleStyles( 'mediawiki.special' );
868 $licensesLink = Linker
::linkKnown(
869 $this->msg( 'licenses' )->inContentLanguage()->getTitle(),
870 $this->msg( 'licenses-edit' )->escaped(),
872 [ 'action' => 'edit' ]
874 $editLicenses = '<p class="mw-upload-editlicenses">' . $licensesLink . '</p>';
875 $this->addFooterText( $editLicenses, 'description' );
878 # Set some form properties
879 $this->setSubmitText( $this->msg( 'uploadbtn' )->text() );
880 $this->setSubmitName( 'wpUpload' );
881 # Used message keys: 'accesskey-upload', 'tooltip-upload'
882 $this->setSubmitTooltip( 'upload' );
883 $this->setId( 'mw-upload-form' );
885 # Build a list of IDs for javascript insertion
886 $this->mSourceIds
= [];
887 foreach ( $sourceDescriptor as $field ) {
888 if ( !empty( $field['id'] ) ) {
889 $this->mSourceIds
[] = $field['id'];
895 * Get the descriptor of the fieldset that contains the file source
896 * selection. The section is 'source'
898 * @return array Descriptor array
900 protected function getSourceSection() {
901 if ( $this->mSessionKey
) {
905 'default' => $this->mSessionKey
,
909 'default' => 'Stash',
914 $canUploadByUrl = UploadFromUrl
::isEnabled()
915 && ( UploadFromUrl
::isAllowed( $this->getUser() ) === true )
916 && $this->getConfig()->get( 'CopyUploadsFromSpecialUpload' );
917 $radio = $canUploadByUrl;
918 $selectedSourceType = strtolower( $this->getRequest()->getText( 'wpSourceType', 'File' ) );
921 if ( $this->mTextTop
) {
922 $descriptor['UploadFormTextTop'] = [
924 'section' => 'source',
925 'default' => $this->mTextTop
,
930 $this->mMaxUploadSize
['file'] = min(
931 UploadBase
::getMaxUploadSize( 'file' ),
932 UploadBase
::getMaxPhpUploadSize()
935 $help = $this->msg( 'upload-maxfilesize',
936 $this->getContext()->getLanguage()->formatSize( $this->mMaxUploadSize
['file'] )
939 // If the user can also upload by URL, there are 2 different file size limits.
940 // This extra message helps stress which limit corresponds to what.
941 if ( $canUploadByUrl ) {
942 $help .= $this->msg( 'word-separator' )->escaped();
943 $help .= $this->msg( 'upload_source_file' )->parse();
946 $descriptor['UploadFile'] = [
947 'class' => 'UploadSourceField',
948 'section' => 'source',
950 'id' => 'wpUploadFile',
951 'radio-id' => 'wpSourceTypeFile',
952 'label-message' => 'sourcefilename',
953 'upload-type' => 'File',
956 'checked' => $selectedSourceType == 'file',
959 if ( $canUploadByUrl ) {
960 $this->mMaxUploadSize
['url'] = UploadBase
::getMaxUploadSize( 'url' );
961 $descriptor['UploadFileURL'] = [
962 'class' => 'UploadSourceField',
963 'section' => 'source',
964 'id' => 'wpUploadFileURL',
965 'radio-id' => 'wpSourceTypeurl',
966 'label-message' => 'sourceurl',
967 'upload-type' => 'url',
969 'help' => $this->msg( 'upload-maxfilesize',
970 $this->getContext()->getLanguage()->formatSize( $this->mMaxUploadSize
['url'] )
972 $this->msg( 'word-separator' )->escaped() .
973 $this->msg( 'upload_source_url' )->parse(),
974 'checked' => $selectedSourceType == 'url',
977 Hooks
::run( 'UploadFormSourceDescriptors', [ &$descriptor, &$radio, $selectedSourceType ] );
979 $descriptor['Extensions'] = [
981 'section' => 'source',
982 'default' => $this->getExtensionsMessage(),
990 * Get the messages indicating which extensions are preferred and prohibitted.
992 * @return string HTML string containing the message
994 protected function getExtensionsMessage() {
995 # Print a list of allowed file extensions, if so configured. We ignore
996 # MIME type here, it's incomprehensible to most people and too long.
997 $config = $this->getConfig();
999 if ( $config->get( 'CheckFileExtensions' ) ) {
1000 $fileExtensions = array_unique( $config->get( 'FileExtensions' ) );
1001 if ( $config->get( 'StrictFileExtensions' ) ) {
1002 # Everything not permitted is banned
1004 '<div id="mw-upload-permitted">' .
1005 $this->msg( 'upload-permitted' )
1006 ->params( $this->getLanguage()->commaList( $fileExtensions ) )
1007 ->numParams( count( $fileExtensions ) )
1011 # We have to list both preferred and prohibited
1012 $fileBlacklist = array_unique( $config->get( 'FileBlacklist' ) );
1014 '<div id="mw-upload-preferred">' .
1015 $this->msg( 'upload-preferred' )
1016 ->params( $this->getLanguage()->commaList( $fileExtensions ) )
1017 ->numParams( count( $fileExtensions ) )
1020 '<div id="mw-upload-prohibited">' .
1021 $this->msg( 'upload-prohibited' )
1022 ->params( $this->getLanguage()->commaList( $fileBlacklist ) )
1023 ->numParams( count( $fileBlacklist ) )
1028 # Everything is permitted.
1029 $extensionsList = '';
1032 return $extensionsList;
1036 * Get the descriptor of the fieldset that contains the file description
1037 * input. The section is 'description'
1039 * @return array Descriptor array
1041 protected function getDescriptionSection() {
1042 $config = $this->getConfig();
1043 if ( $this->mSessionKey
) {
1044 $stash = RepoGroup
::singleton()->getLocalRepo()->getUploadStash( $this->getUser() );
1046 $file = $stash->getFile( $this->mSessionKey
);
1047 } catch ( Exception
$e ) {
1053 $mto = $file->transform( [ 'width' => 120 ] );
1054 $this->addHeaderText(
1055 '<div class="thumb t' . $wgContLang->alignEnd() . '">' .
1056 Html
::element( 'img', [
1057 'src' => $mto->getUrl(),
1058 'class' => 'thumbimage',
1059 ] ) . '</div>', 'description' );
1066 'section' => 'description',
1067 'id' => 'wpDestFile',
1068 'label-message' => 'destfilename',
1070 'default' => $this->mDestFile
,
1071 # @todo FIXME: Hack to work around poor handling of the 'default' option in HTMLForm
1072 'nodata' => strval( $this->mDestFile
) !== '',
1074 'UploadDescription' => [
1075 'type' => 'textarea',
1076 'section' => 'description',
1077 'id' => 'wpUploadDescription',
1078 'label-message' => $this->mForReUpload
1079 ?
'filereuploadsummary'
1080 : 'fileuploadsummary',
1081 'default' => $this->mComment
,
1082 'cols' => $this->getUser()->getIntOption( 'cols' ),
1086 if ( $this->mTextAfterSummary
) {
1087 $descriptor['UploadFormTextAfterSummary'] = [
1089 'section' => 'description',
1090 'default' => $this->mTextAfterSummary
,
1097 'type' => 'edittools',
1098 'section' => 'description',
1099 'message' => 'edittools-upload',
1103 if ( $this->mForReUpload
) {
1104 $descriptor['DestFile']['readonly'] = true;
1106 $descriptor['License'] = [
1108 'class' => 'Licenses',
1109 'section' => 'description',
1110 'id' => 'wpLicense',
1111 'label-message' => 'license',
1115 if ( $config->get( 'UseCopyrightUpload' ) ) {
1116 $descriptor['UploadCopyStatus'] = [
1118 'section' => 'description',
1119 'id' => 'wpUploadCopyStatus',
1120 'label-message' => 'filestatus',
1122 $descriptor['UploadSource'] = [
1124 'section' => 'description',
1125 'id' => 'wpUploadSource',
1126 'label-message' => 'filesource',
1134 * Get the descriptor of the fieldset that contains the upload options,
1135 * such as "watch this file". The section is 'options'
1137 * @return array Descriptor array
1139 protected function getOptionsSection() {
1140 $user = $this->getUser();
1141 if ( $user->isLoggedIn() ) {
1145 'id' => 'wpWatchthis',
1146 'label-message' => 'watchthisupload',
1147 'section' => 'options',
1148 'default' => $this->mWatch
,
1152 if ( !$this->mHideIgnoreWarning
) {
1153 $descriptor['IgnoreWarning'] = [
1155 'id' => 'wpIgnoreWarning',
1156 'label-message' => 'ignorewarnings',
1157 'section' => 'options',
1161 $descriptor['DestFileWarningAck'] = [
1163 'id' => 'wpDestFileWarningAck',
1164 'default' => $this->mDestWarningAck ?
'1' : '',
1167 if ( $this->mForReUpload
) {
1168 $descriptor['ForReUpload'] = [
1170 'id' => 'wpForReUpload',
1179 * Add the upload JS and show the form.
1181 public function show() {
1182 $this->addUploadJS();
1187 * Add upload JS to the OutputPage
1189 protected function addUploadJS() {
1190 $config = $this->getConfig();
1192 $useAjaxDestCheck = $config->get( 'UseAjax' ) && $config->get( 'AjaxUploadDestCheck' );
1193 $useAjaxLicensePreview = $config->get( 'UseAjax' ) &&
1194 $config->get( 'AjaxLicensePreview' ) && $config->get( 'EnableAPI' );
1195 $this->mMaxUploadSize
['*'] = UploadBase
::getMaxUploadSize();
1198 'wgAjaxUploadDestCheck' => $useAjaxDestCheck,
1199 'wgAjaxLicensePreview' => $useAjaxLicensePreview,
1200 'wgUploadAutoFill' => !$this->mForReUpload
&&
1201 // If we received mDestFile from the request, don't autofill
1202 // the wpDestFile textbox
1203 $this->mDestFile
=== '',
1204 'wgUploadSourceIds' => $this->mSourceIds
,
1205 'wgCheckFileExtensions' => $config->get( 'CheckFileExtensions' ),
1206 'wgStrictFileExtensions' => $config->get( 'StrictFileExtensions' ),
1207 'wgFileExtensions' => array_values( array_unique( $config->get( 'FileExtensions' ) ) ),
1208 'wgCapitalizeUploads' => MWNamespace
::isCapitalized( NS_FILE
),
1209 'wgMaxUploadSize' => $this->mMaxUploadSize
,
1210 'wgFileCanRotate' => SpecialUpload
::rotationEnabled(),
1213 $out = $this->getOutput();
1214 $out->addJsConfigVars( $scriptVars );
1217 'mediawiki.action.edit', // For <charinsert> support
1218 'mediawiki.special.upload', // Extras for thumbnail and license preview.
1223 * Empty function; submission is handled elsewhere.
1225 * @return bool False
1227 function trySubmit() {
1233 * A form field that contains a radio box in the label
1235 class UploadSourceField
extends HTMLTextField
{
1238 * @param array $cellAttributes
1241 function getLabelHtml( $cellAttributes = [] ) {
1242 $id = $this->mParams
['id'];
1243 $label = Html
::rawElement( 'label', [ 'for' => $id ], $this->mLabel
);
1245 if ( !empty( $this->mParams
['radio'] ) ) {
1246 if ( isset( $this->mParams
['radio-id'] ) ) {
1247 $radioId = $this->mParams
['radio-id'];
1249 // Old way. For the benefit of extensions that do not define
1250 // the 'radio-id' key.
1251 $radioId = 'wpSourceType' . $this->mParams
['upload-type'];
1255 'name' => 'wpSourceType',
1258 'value' => $this->mParams
['upload-type'],
1261 if ( !empty( $this->mParams
['checked'] ) ) {
1262 $attribs['checked'] = 'checked';
1265 $label .= Html
::element( 'input', $attribs );
1268 return Html
::rawElement( 'td', [ 'class' => 'mw-label' ] +
$cellAttributes, $label );
1274 function getSize() {
1275 return isset( $this->mParams
['size'] )
1276 ?
$this->mParams
['size']