LiquidThreads updates:
[lhc/web/wiklou.git] / includes / specials / SpecialUndelete.php
1 <?php
2
3 /**
4 * Special page allowing users with the appropriate permissions to view
5 * and restore deleted content
6 *
7 * @file
8 * @ingroup SpecialPage
9 */
10
11 /**
12 * Constructor
13 */
14 function wfSpecialUndelete( $par ) {
15 global $wgRequest;
16
17 $form = new UndeleteForm( $wgRequest, $par );
18 $form->execute();
19 }
20
21 /**
22 * Used to show archived pages and eventually restore them.
23 * @ingroup SpecialPage
24 */
25 class PageArchive {
26 protected $title;
27 var $fileStatus;
28
29 function __construct( $title ) {
30 if( is_null( $title ) ) {
31 throw new MWException( 'Archiver() given a null title.');
32 }
33 $this->title = $title;
34 }
35
36 /**
37 * List all deleted pages recorded in the archive table. Returns result
38 * wrapper with (ar_namespace, ar_title, count) fields, ordered by page
39 * namespace/title.
40 *
41 * @return ResultWrapper
42 */
43 public static function listAllPages() {
44 $dbr = wfGetDB( DB_SLAVE );
45 return self::listPages( $dbr, '' );
46 }
47
48 /**
49 * List deleted pages recorded in the archive table matching the
50 * given title prefix.
51 * Returns result wrapper with (ar_namespace, ar_title, count) fields.
52 *
53 * @return ResultWrapper
54 */
55 public static function listPagesByPrefix( $prefix ) {
56 $dbr = wfGetDB( DB_SLAVE );
57
58 $title = Title::newFromText( $prefix );
59 if( $title ) {
60 $ns = $title->getNamespace();
61 $encPrefix = $dbr->escapeLike( $title->getDBkey() );
62 } else {
63 // Prolly won't work too good
64 // @todo handle bare namespace names cleanly?
65 $ns = 0;
66 $encPrefix = $dbr->escapeLike( $prefix );
67 }
68 $conds = array(
69 'ar_namespace' => $ns,
70 "ar_title LIKE '$encPrefix%'",
71 );
72 return self::listPages( $dbr, $conds );
73 }
74
75 protected static function listPages( $dbr, $condition ) {
76 return $dbr->resultObject(
77 $dbr->select(
78 array( 'archive' ),
79 array(
80 'ar_namespace',
81 'ar_title',
82 'COUNT(*) AS count'
83 ),
84 $condition,
85 __METHOD__,
86 array(
87 'GROUP BY' => 'ar_namespace,ar_title',
88 'ORDER BY' => 'ar_namespace,ar_title',
89 'LIMIT' => 100,
90 )
91 )
92 );
93 }
94
95 /**
96 * List the revisions of the given page. Returns result wrapper with
97 * (ar_minor_edit, ar_timestamp, ar_user, ar_user_text, ar_comment) fields.
98 *
99 * @return ResultWrapper
100 */
101 function listRevisions() {
102 $dbr = wfGetDB( DB_SLAVE );
103 $res = $dbr->select( 'archive',
104 array( 'ar_minor_edit', 'ar_timestamp', 'ar_user', 'ar_user_text', 'ar_comment', 'ar_len', 'ar_deleted' ),
105 array( 'ar_namespace' => $this->title->getNamespace(),
106 'ar_title' => $this->title->getDBkey() ),
107 'PageArchive::listRevisions',
108 array( 'ORDER BY' => 'ar_timestamp DESC' ) );
109 $ret = $dbr->resultObject( $res );
110 return $ret;
111 }
112
113 /**
114 * List the deleted file revisions for this page, if it's a file page.
115 * Returns a result wrapper with various filearchive fields, or null
116 * if not a file page.
117 *
118 * @return ResultWrapper
119 * @todo Does this belong in Image for fuller encapsulation?
120 */
121 function listFiles() {
122 if( $this->title->getNamespace() == NS_FILE ) {
123 $dbr = wfGetDB( DB_SLAVE );
124 $res = $dbr->select( 'filearchive',
125 array(
126 'fa_id',
127 'fa_name',
128 'fa_archive_name',
129 'fa_storage_key',
130 'fa_storage_group',
131 'fa_size',
132 'fa_width',
133 'fa_height',
134 'fa_bits',
135 'fa_metadata',
136 'fa_media_type',
137 'fa_major_mime',
138 'fa_minor_mime',
139 'fa_description',
140 'fa_user',
141 'fa_user_text',
142 'fa_timestamp',
143 'fa_deleted' ),
144 array( 'fa_name' => $this->title->getDBkey() ),
145 __METHOD__,
146 array( 'ORDER BY' => 'fa_timestamp DESC' ) );
147 $ret = $dbr->resultObject( $res );
148 return $ret;
149 }
150 return null;
151 }
152
153 /**
154 * Fetch (and decompress if necessary) the stored text for the deleted
155 * revision of the page with the given timestamp.
156 *
157 * @return string
158 * @deprecated Use getRevision() for more flexible information
159 */
160 function getRevisionText( $timestamp ) {
161 $rev = $this->getRevision( $timestamp );
162 return $rev ? $rev->getText() : null;
163 }
164
165 /**
166 * Return a Revision object containing data for the deleted revision.
167 * Note that the result *may* or *may not* have a null page ID.
168 * @param string $timestamp
169 * @return Revision
170 */
171 function getRevision( $timestamp ) {
172 $dbr = wfGetDB( DB_SLAVE );
173 $row = $dbr->selectRow( 'archive',
174 array(
175 'ar_rev_id',
176 'ar_text',
177 'ar_comment',
178 'ar_user',
179 'ar_user_text',
180 'ar_timestamp',
181 'ar_minor_edit',
182 'ar_flags',
183 'ar_text_id',
184 'ar_deleted',
185 'ar_len' ),
186 array( 'ar_namespace' => $this->title->getNamespace(),
187 'ar_title' => $this->title->getDBkey(),
188 'ar_timestamp' => $dbr->timestamp( $timestamp ) ),
189 __METHOD__ );
190 if( $row ) {
191 return Revision::newFromArchiveRow( $row, array( 'page' => $this->title->getArticleId() ) );
192 } else {
193 return null;
194 }
195 }
196
197 /**
198 * Return the most-previous revision, either live or deleted, against
199 * the deleted revision given by timestamp.
200 *
201 * May produce unexpected results in case of history merges or other
202 * unusual time issues.
203 *
204 * @param string $timestamp
205 * @return Revision or null
206 */
207 function getPreviousRevision( $timestamp ) {
208 $dbr = wfGetDB( DB_SLAVE );
209
210 // Check the previous deleted revision...
211 $row = $dbr->selectRow( 'archive',
212 'ar_timestamp',
213 array( 'ar_namespace' => $this->title->getNamespace(),
214 'ar_title' => $this->title->getDBkey(),
215 'ar_timestamp < ' .
216 $dbr->addQuotes( $dbr->timestamp( $timestamp ) ) ),
217 __METHOD__,
218 array(
219 'ORDER BY' => 'ar_timestamp DESC',
220 'LIMIT' => 1 ) );
221 $prevDeleted = $row ? wfTimestamp( TS_MW, $row->ar_timestamp ) : false;
222
223 $row = $dbr->selectRow( array( 'page', 'revision' ),
224 array( 'rev_id', 'rev_timestamp' ),
225 array(
226 'page_namespace' => $this->title->getNamespace(),
227 'page_title' => $this->title->getDBkey(),
228 'page_id = rev_page',
229 'rev_timestamp < ' .
230 $dbr->addQuotes( $dbr->timestamp( $timestamp ) ) ),
231 __METHOD__,
232 array(
233 'ORDER BY' => 'rev_timestamp DESC',
234 'LIMIT' => 1 ) );
235 $prevLive = $row ? wfTimestamp( TS_MW, $row->rev_timestamp ) : false;
236 $prevLiveId = $row ? intval( $row->rev_id ) : null;
237
238 if( $prevLive && $prevLive > $prevDeleted ) {
239 // Most prior revision was live
240 return Revision::newFromId( $prevLiveId );
241 } elseif( $prevDeleted ) {
242 // Most prior revision was deleted
243 return $this->getRevision( $prevDeleted );
244 } else {
245 // No prior revision on this page.
246 return null;
247 }
248 }
249
250 /**
251 * Get the text from an archive row containing ar_text, ar_flags and ar_text_id
252 */
253 function getTextFromRow( $row ) {
254 if( is_null( $row->ar_text_id ) ) {
255 // An old row from MediaWiki 1.4 or previous.
256 // Text is embedded in this row in classic compression format.
257 return Revision::getRevisionText( $row, "ar_" );
258 } else {
259 // New-style: keyed to the text storage backend.
260 $dbr = wfGetDB( DB_SLAVE );
261 $text = $dbr->selectRow( 'text',
262 array( 'old_text', 'old_flags' ),
263 array( 'old_id' => $row->ar_text_id ),
264 __METHOD__ );
265 return Revision::getRevisionText( $text );
266 }
267 }
268
269
270 /**
271 * Fetch (and decompress if necessary) the stored text of the most
272 * recently edited deleted revision of the page.
273 *
274 * If there are no archived revisions for the page, returns NULL.
275 *
276 * @return string
277 */
278 function getLastRevisionText() {
279 $dbr = wfGetDB( DB_SLAVE );
280 $row = $dbr->selectRow( 'archive',
281 array( 'ar_text', 'ar_flags', 'ar_text_id' ),
282 array( 'ar_namespace' => $this->title->getNamespace(),
283 'ar_title' => $this->title->getDBkey() ),
284 'PageArchive::getLastRevisionText',
285 array( 'ORDER BY' => 'ar_timestamp DESC' ) );
286 if( $row ) {
287 return $this->getTextFromRow( $row );
288 } else {
289 return NULL;
290 }
291 }
292
293 /**
294 * Quick check if any archived revisions are present for the page.
295 * @return bool
296 */
297 function isDeleted() {
298 $dbr = wfGetDB( DB_SLAVE );
299 $n = $dbr->selectField( 'archive', 'COUNT(ar_title)',
300 array( 'ar_namespace' => $this->title->getNamespace(),
301 'ar_title' => $this->title->getDBkey() ) );
302 return ($n > 0);
303 }
304
305 /**
306 * Restore the given (or all) text and file revisions for the page.
307 * Once restored, the items will be removed from the archive tables.
308 * The deletion log will be updated with an undeletion notice.
309 *
310 * @param array $timestamps Pass an empty array to restore all revisions, otherwise list the ones to undelete.
311 * @param string $comment
312 * @param array $fileVersions
313 * @param bool $unsuppress
314 *
315 * @return array(number of file revisions restored, number of image revisions restored, log message)
316 * on success, false on failure
317 */
318 function undelete( $timestamps, $comment = '', $fileVersions = array(), $unsuppress = false ) {
319 // If both the set of text revisions and file revisions are empty,
320 // restore everything. Otherwise, just restore the requested items.
321 $restoreAll = empty( $timestamps ) && empty( $fileVersions );
322
323 $restoreText = $restoreAll || !empty( $timestamps );
324 $restoreFiles = $restoreAll || !empty( $fileVersions );
325
326 if( $restoreFiles && $this->title->getNamespace() == NS_FILE ) {
327 $img = wfLocalFile( $this->title );
328 $this->fileStatus = $img->restore( $fileVersions, $unsuppress );
329 $filesRestored = $this->fileStatus->successCount;
330 } else {
331 $filesRestored = 0;
332 }
333
334 if( $restoreText ) {
335 $textRestored = $this->undeleteRevisions( $timestamps, $unsuppress, $comment );
336 if($textRestored === false) // It must be one of UNDELETE_*
337 return false;
338 } else {
339 $textRestored = 0;
340 }
341
342 // Touch the log!
343 global $wgContLang;
344 $log = new LogPage( 'delete' );
345
346 if( $textRestored && $filesRestored ) {
347 $reason = wfMsgExt( 'undeletedrevisions-files', array( 'content', 'parsemag' ),
348 $wgContLang->formatNum( $textRestored ),
349 $wgContLang->formatNum( $filesRestored ) );
350 } elseif( $textRestored ) {
351 $reason = wfMsgExt( 'undeletedrevisions', array( 'content', 'parsemag' ),
352 $wgContLang->formatNum( $textRestored ) );
353 } elseif( $filesRestored ) {
354 $reason = wfMsgExt( 'undeletedfiles', array( 'content', 'parsemag' ),
355 $wgContLang->formatNum( $filesRestored ) );
356 } else {
357 wfDebug( "Undelete: nothing undeleted...\n" );
358 return false;
359 }
360
361 if( trim( $comment ) != '' )
362 $reason .= ": {$comment}";
363 $log->addEntry( 'restore', $this->title, $reason );
364
365 return array($textRestored, $filesRestored, $reason);
366 }
367
368 /**
369 * This is the meaty bit -- restores archived revisions of the given page
370 * to the cur/old tables. If the page currently exists, all revisions will
371 * be stuffed into old, otherwise the most recent will go into cur.
372 *
373 * @param array $timestamps Pass an empty array to restore all revisions, otherwise list the ones to undelete.
374 * @param string $comment
375 * @param array $fileVersions
376 * @param bool $unsuppress, remove all ar_deleted/fa_deleted restrictions of seletected revs
377 *
378 * @return mixed number of revisions restored or false on failure
379 */
380 private function undeleteRevisions( $timestamps, $unsuppress = false, $comment = '' ) {
381 if ( wfReadOnly() )
382 return false;
383 $restoreAll = empty( $timestamps );
384
385 $dbw = wfGetDB( DB_MASTER );
386
387 # Does this page already exist? We'll have to update it...
388 $article = new Article( $this->title );
389 $options = 'FOR UPDATE';
390 $page = $dbw->selectRow( 'page',
391 array( 'page_id', 'page_latest' ),
392 array( 'page_namespace' => $this->title->getNamespace(),
393 'page_title' => $this->title->getDBkey() ),
394 __METHOD__,
395 $options );
396 if( $page ) {
397 $makepage = false;
398 # Page already exists. Import the history, and if necessary
399 # we'll update the latest revision field in the record.
400 $newid = 0;
401 $pageId = $page->page_id;
402 $previousRevId = $page->page_latest;
403 # Get the time span of this page
404 $previousTimestamp = $dbw->selectField( 'revision', 'rev_timestamp',
405 array( 'rev_id' => $previousRevId ),
406 __METHOD__ );
407 if( $previousTimestamp === false ) {
408 wfDebug( __METHOD__.": existing page refers to a page_latest that does not exist\n" );
409 return 0;
410 }
411 } else {
412 # Have to create a new article...
413 $makepage = true;
414 $previousRevId = 0;
415 $previousTimestamp = 0;
416 }
417
418 if( $restoreAll ) {
419 $oldones = '1 = 1'; # All revisions...
420 } else {
421 $oldts = implode( ',',
422 array_map( array( &$dbw, 'addQuotes' ),
423 array_map( array( &$dbw, 'timestamp' ),
424 $timestamps ) ) );
425
426 $oldones = "ar_timestamp IN ( {$oldts} )";
427 }
428
429 /**
430 * Select each archived revision...
431 */
432 $result = $dbw->select( 'archive',
433 /* fields */ array(
434 'ar_rev_id',
435 'ar_text',
436 'ar_comment',
437 'ar_user',
438 'ar_user_text',
439 'ar_timestamp',
440 'ar_minor_edit',
441 'ar_flags',
442 'ar_text_id',
443 'ar_deleted',
444 'ar_page_id',
445 'ar_len' ),
446 /* WHERE */ array(
447 'ar_namespace' => $this->title->getNamespace(),
448 'ar_title' => $this->title->getDBkey(),
449 $oldones ),
450 __METHOD__,
451 /* options */ array( 'ORDER BY' => 'ar_timestamp' )
452 );
453 $ret = $dbw->resultObject( $result );
454 $rev_count = $dbw->numRows( $result );
455
456 if( $makepage ) {
457 $newid = $article->insertOn( $dbw );
458 $pageId = $newid;
459 }
460
461 $revision = null;
462 $restored = 0;
463
464 while( $row = $ret->fetchObject() ) {
465 // Check for key dupes due to shitty archive integrity.
466 if( $row->ar_rev_id ) {
467 $exists = $dbw->selectField( 'revision', '1', array('rev_id' => $row->ar_rev_id), __METHOD__ );
468 if( $exists ) continue; // don't throw DB errors
469 }
470
471 $revision = Revision::newFromArchiveRow( $row,
472 array(
473 'page' => $pageId,
474 'deleted' => $unsuppress ? 0 : $row->ar_deleted
475 ) );
476
477 $revision->insertOn( $dbw );
478 $restored++;
479
480 wfRunHooks( 'ArticleRevisionUndeleted', array( &$this->title, $revision, $row->ar_page_id ) );
481 }
482 # Now that it's safely stored, take it out of the archive
483 $dbw->delete( 'archive',
484 /* WHERE */ array(
485 'ar_namespace' => $this->title->getNamespace(),
486 'ar_title' => $this->title->getDBkey(),
487 $oldones ),
488 __METHOD__ );
489
490 // Was anything restored at all?
491 if( $restored == 0 )
492 return 0;
493
494 if( $revision ) {
495 // Attach the latest revision to the page...
496 $wasnew = $article->updateIfNewerOn( $dbw, $revision, $previousRevId );
497 if( $newid || $wasnew ) {
498 // We don't handle well with top revision deleted
499 // FIXME: any sysop can unsuppress any revision by just undeleting it into a non-existent page!
500 if( $revision->getVisibility() ) {
501 $dbw->update( 'revision',
502 array( 'rev_deleted' => 0 ),
503 array( 'rev_id' => $revision->getId() ),
504 __METHOD__
505 );
506 $revision->mDeleted = 0; // Don't pollute the parser cache
507 }
508 // Update site stats, link tables, etc
509 $article->createUpdates( $revision );
510 }
511
512 if( $newid ) {
513 wfRunHooks( 'ArticleUndelete', array( &$this->title, true, $comment ) );
514 Article::onArticleCreate( $this->title );
515 } else {
516 wfRunHooks( 'ArticleUndelete', array( &$this->title, false, $comment ) );
517 Article::onArticleEdit( $this->title );
518 }
519
520 if( $this->title->getNamespace() == NS_FILE ) {
521 $update = new HTMLCacheUpdate( $this->title, 'imagelinks' );
522 $update->doUpdate();
523 }
524 } else {
525 // Revision couldn't be created. This is very weird
526 return self::UNDELETE_UNKNOWNERR;
527 }
528
529 return $restored;
530 }
531
532 function getFileStatus() { return $this->fileStatus; }
533 }
534
535 /**
536 * The HTML form for Special:Undelete, which allows users with the appropriate
537 * permissions to view and restore deleted content.
538 * @ingroup SpecialPage
539 */
540 class UndeleteForm {
541 var $mAction, $mTarget, $mTimestamp, $mRestore, $mInvert, $mTargetObj;
542 var $mTargetTimestamp, $mAllowed, $mComment, $mToken;
543
544 function UndeleteForm( $request, $par = "" ) {
545 global $wgUser;
546 $this->mAction = $request->getVal( 'action' );
547 $this->mTarget = $request->getVal( 'target' );
548 $this->mSearchPrefix = $request->getText( 'prefix' );
549 $time = $request->getVal( 'timestamp' );
550 $this->mTimestamp = $time ? wfTimestamp( TS_MW, $time ) : '';
551 $this->mFile = $request->getVal( 'file' );
552
553 $posted = $request->wasPosted() &&
554 $wgUser->matchEditToken( $request->getVal( 'wpEditToken' ) );
555 $this->mRestore = $request->getCheck( 'restore' ) && $posted;
556 $this->mInvert = $request->getCheck( 'invert' ) && $posted;
557 $this->mPreview = $request->getCheck( 'preview' ) && $posted;
558 $this->mDiff = $request->getCheck( 'diff' );
559 $this->mComment = $request->getText( 'wpComment' );
560 $this->mUnsuppress = $request->getVal( 'wpUnsuppress' ) && $wgUser->isAllowed( 'suppressrevision' );
561 $this->mToken = $request->getVal( 'token' );
562
563 if( $par != "" ) {
564 $this->mTarget = $par;
565 }
566 if ( $wgUser->isAllowed( 'undelete' ) && !$wgUser->isBlocked() ) {
567 $this->mAllowed = true;
568 } else {
569 $this->mAllowed = false;
570 $this->mTimestamp = '';
571 $this->mRestore = false;
572 }
573 if ( $this->mTarget !== "" ) {
574 $this->mTargetObj = Title::newFromURL( $this->mTarget );
575 } else {
576 $this->mTargetObj = NULL;
577 }
578 if( $this->mRestore || $this->mInvert ) {
579 $timestamps = array();
580 $this->mFileVersions = array();
581 foreach( $_REQUEST as $key => $val ) {
582 $matches = array();
583 if( preg_match( '/^ts(\d{14})$/', $key, $matches ) ) {
584 array_push( $timestamps, $matches[1] );
585 }
586
587 if( preg_match( '/^fileid(\d+)$/', $key, $matches ) ) {
588 $this->mFileVersions[] = intval( $matches[1] );
589 }
590 }
591 rsort( $timestamps );
592 $this->mTargetTimestamp = $timestamps;
593 }
594 }
595
596 function execute() {
597 global $wgOut, $wgUser;
598 if ( $this->mAllowed ) {
599 $wgOut->setPagetitle( wfMsg( "undeletepage" ) );
600 } else {
601 $wgOut->setPagetitle( wfMsg( "viewdeletedpage" ) );
602 }
603
604 if( is_null( $this->mTargetObj ) ) {
605 # Not all users can just browse every deleted page from the list
606 if( $wgUser->isAllowed( 'browsearchive' ) ) {
607 $this->showSearchForm();
608
609 # List undeletable articles
610 if( $this->mSearchPrefix ) {
611 $result = PageArchive::listPagesByPrefix( $this->mSearchPrefix );
612 $this->showList( $result );
613 }
614 } else {
615 $wgOut->addWikiMsg( 'undelete-header' );
616 }
617 return;
618 }
619 if( $this->mTimestamp !== '' ) {
620 return $this->showRevision( $this->mTimestamp );
621 }
622 if( $this->mFile !== null ) {
623 $file = new ArchivedFile( $this->mTargetObj, '', $this->mFile );
624 // Check if user is allowed to see this file
625 if( !$file->userCan( File::DELETED_FILE ) ) {
626 $wgOut->permissionRequired( 'suppressrevision' );
627 return false;
628 } elseif ( !$wgUser->matchEditToken( $this->mToken, $this->mFile ) ) {
629 $this->showFileConfirmationForm( $this->mFile );
630 return false;
631 } else {
632 return $this->showFile( $this->mFile );
633 }
634 }
635 if( $this->mRestore && $this->mAction == "submit" ) {
636 return $this->undelete();
637 }
638 if( $this->mInvert && $this->mAction == "submit" ) {
639 return $this->showHistory( );
640 }
641 return $this->showHistory();
642 }
643
644 function showSearchForm() {
645 global $wgOut, $wgScript;
646 $wgOut->addWikiMsg( 'undelete-header' );
647
648 $wgOut->addHTML(
649 Xml::openElement( 'form', array(
650 'method' => 'get',
651 'action' => $wgScript ) ) .
652 Xml::fieldset( wfMsg( 'undelete-search-box' ) ) .
653 Xml::hidden( 'title',
654 SpecialPage::getTitleFor( 'Undelete' )->getPrefixedDbKey() ) .
655 Xml::inputLabel( wfMsg( 'undelete-search-prefix' ),
656 'prefix', 'prefix', 20,
657 $this->mSearchPrefix ) . ' ' .
658 Xml::submitButton( wfMsg( 'undelete-search-submit' ) ) .
659 Xml::closeElement( 'fieldset' ) .
660 Xml::closeElement( 'form' )
661 );
662 }
663
664 // Generic list of deleted pages
665 private function showList( $result ) {
666 global $wgLang, $wgContLang, $wgUser, $wgOut;
667
668 if( $result->numRows() == 0 ) {
669 $wgOut->addWikiMsg( 'undelete-no-results' );
670 return;
671 }
672
673 $wgOut->addWikiMsg( 'undeletepagetext', $wgLang->formatNum( $result->numRows() ) );
674
675 $sk = $wgUser->getSkin();
676 $undelete = SpecialPage::getTitleFor( 'Undelete' );
677 $wgOut->addHTML( "<ul>\n" );
678 while( $row = $result->fetchObject() ) {
679 $title = Title::makeTitleSafe( $row->ar_namespace, $row->ar_title );
680 $link = $sk->linkKnown(
681 $undelete,
682 htmlspecialchars( $title->getPrefixedText() ),
683 array(),
684 array( 'target' => $title->getPrefixedText() )
685 );
686 $revs = wfMsgExt( 'undeleterevisions',
687 array( 'parseinline' ),
688 $wgLang->formatNum( $row->count ) );
689 $wgOut->addHTML( "<li>{$link} ({$revs})</li>\n" );
690 }
691 $result->free();
692 $wgOut->addHTML( "</ul>\n" );
693
694 return true;
695 }
696
697 private function showRevision( $timestamp ) {
698 global $wgLang, $wgUser, $wgOut;
699 $self = SpecialPage::getTitleFor( 'Undelete' );
700 $skin = $wgUser->getSkin();
701
702 if(!preg_match("/[0-9]{14}/",$timestamp)) return 0;
703
704 $archive = new PageArchive( $this->mTargetObj );
705 $rev = $archive->getRevision( $timestamp );
706
707 if( !$rev ) {
708 $wgOut->addWikiMsg( 'undeleterevision-missing' );
709 return;
710 }
711
712 if( $rev->isDeleted(Revision::DELETED_TEXT) ) {
713 if( !$rev->userCan(Revision::DELETED_TEXT) ) {
714 $wgOut->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1</div>\n", 'rev-deleted-text-permission' );
715 return;
716 } else {
717 $wgOut->wrapWikiMsg( "<div class='mw-warning plainlinks'>\n$1</div>\n", 'rev-deleted-text-view' );
718 $wgOut->addHTML( '<br/>' );
719 // and we are allowed to see...
720 }
721 }
722
723 $wgOut->setPageTitle( wfMsg( 'undeletepage' ) );
724
725 $link = $skin->linkKnown(
726 SpecialPage::getTitleFor( 'Undelete', $this->mTargetObj->getPrefixedDBkey() ),
727 htmlspecialchars( $this->mTargetObj->getPrefixedText() )
728 );
729
730 if( $this->mDiff ) {
731 $previousRev = $archive->getPreviousRevision( $timestamp );
732 if( $previousRev ) {
733 $this->showDiff( $previousRev, $rev );
734 if( $wgUser->getOption( 'diffonly' ) ) {
735 return;
736 } else {
737 $wgOut->addHTML( '<hr />' );
738 }
739 } else {
740 $wgOut->addWikiMsg( 'undelete-nodiff' );
741 }
742 }
743
744 // date and time are separate parameters to facilitate localisation.
745 // $time is kept for backward compat reasons.
746 $time = htmlspecialchars( $wgLang->timeAndDate( $timestamp, true ) );
747 $d = htmlspecialchars( $wgLang->date( $timestamp, true ) );
748 $t = htmlspecialchars( $wgLang->time( $timestamp, true ) );
749 $user = $skin->revUserTools( $rev );
750
751 if( $this->mPreview ) {
752 $openDiv = '<div id="mw-undelete-revision" class="mw-warning">';
753 } else {
754 $openDiv = '<div id="mw-undelete-revision">';
755 }
756
757 $wgOut->addHTML( $openDiv . wfMsgWikiHtml( 'undelete-revision', $link, $time, $user, $d, $t ) . '</div>' );
758 wfRunHooks( 'UndeleteShowRevision', array( $this->mTargetObj, $rev ) );
759
760 if( $this->mPreview ) {
761 //Hide [edit]s
762 $popts = $wgOut->parserOptions();
763 $popts->setEditSection( false );
764 $wgOut->parserOptions( $popts );
765 $wgOut->addWikiTextTitleTidy( $rev->getText( Revision::FOR_THIS_USER ), $this->mTargetObj, true );
766 }
767
768 $wgOut->addHTML(
769 Xml::element( 'textarea', array(
770 'readonly' => 'readonly',
771 'cols' => intval( $wgUser->getOption( 'cols' ) ),
772 'rows' => intval( $wgUser->getOption( 'rows' ) ) ),
773 $rev->getText( Revision::FOR_THIS_USER ) . "\n" ) .
774 Xml::openElement( 'div' ) .
775 Xml::openElement( 'form', array(
776 'method' => 'post',
777 'action' => $self->getLocalURL( array( 'action' => 'submit' ) ) ) ) .
778 Xml::element( 'input', array(
779 'type' => 'hidden',
780 'name' => 'target',
781 'value' => $this->mTargetObj->getPrefixedDbKey() ) ) .
782 Xml::element( 'input', array(
783 'type' => 'hidden',
784 'name' => 'timestamp',
785 'value' => $timestamp ) ) .
786 Xml::element( 'input', array(
787 'type' => 'hidden',
788 'name' => 'wpEditToken',
789 'value' => $wgUser->editToken() ) ) .
790 Xml::element( 'input', array(
791 'type' => 'submit',
792 'name' => 'preview',
793 'value' => wfMsg( 'showpreview' ) ) ) .
794 Xml::element( 'input', array(
795 'name' => 'diff',
796 'type' => 'submit',
797 'value' => wfMsg( 'showdiff' ) ) ) .
798 Xml::closeElement( 'form' ) .
799 Xml::closeElement( 'div' ) );
800 }
801
802 /**
803 * Build a diff display between this and the previous either deleted
804 * or non-deleted edit.
805 * @param Revision $previousRev
806 * @param Revision $currentRev
807 * @return string HTML
808 */
809 function showDiff( $previousRev, $currentRev ) {
810 global $wgOut;
811
812 $diffEngine = new DifferenceEngine();
813 $diffEngine->showDiffStyle();
814 $wgOut->addHTML(
815 "<div>" .
816 "<table border='0' width='98%' cellpadding='0' cellspacing='4' class='diff'>" .
817 "<col class='diff-marker' />" .
818 "<col class='diff-content' />" .
819 "<col class='diff-marker' />" .
820 "<col class='diff-content' />" .
821 "<tr>" .
822 "<td colspan='2' width='50%' align='center' class='diff-otitle'>" .
823 $this->diffHeader( $previousRev, 'o' ) .
824 "</td>\n" .
825 "<td colspan='2' width='50%' align='center' class='diff-ntitle'>" .
826 $this->diffHeader( $currentRev, 'n' ) .
827 "</td>\n" .
828 "</tr>" .
829 $diffEngine->generateDiffBody(
830 $previousRev->getText(), $currentRev->getText() ) .
831 "</table>" .
832 "</div>\n" );
833
834 }
835
836 private function diffHeader( $rev, $prefix ) {
837 global $wgUser, $wgLang, $wgLang;
838 $sk = $wgUser->getSkin();
839 $isDeleted = !( $rev->getId() && $rev->getTitle() );
840 if( $isDeleted ) {
841 /// @fixme $rev->getTitle() is null for deleted revs...?
842 $targetPage = SpecialPage::getTitleFor( 'Undelete' );
843 $targetQuery = array(
844 'target' => $this->mTargetObj->getPrefixedText(),
845 'timestamp' => wfTimestamp( TS_MW, $rev->getTimestamp() )
846 );
847 } else {
848 /// @fixme getId() may return non-zero for deleted revs...
849 $targetPage = $rev->getTitle();
850 $targetQuery = array( 'oldid' => $rev->getId() );
851 }
852 // Add show/hide link if available
853 if( $wgUser->isAllowed( 'deleterevision' ) ) {
854 // If revision was hidden from sysops
855 if( !$rev->userCan( Revision::DELETED_RESTRICTED ) ) {
856 $del = ' ' . Xml::tags( 'span', array( 'class'=>'mw-revdelundel-link' ),
857 '(' . wfMsgHtml('rev-delundel') . ')' );
858 // Otherwise, show the link...
859 } else {
860 $query = array(
861 'type' => 'archive',
862 'target' => $this->mTargetObj->getPrefixedDbkey(),
863 'ids' => $rev->getTimestamp() );
864 $del = ' ' . $sk->revDeleteLink( $query,
865 $rev->isDeleted( Revision::DELETED_RESTRICTED ) );
866 }
867 } else {
868 $del = '';
869 }
870 return
871 '<div id="mw-diff-'.$prefix.'title1"><strong>' .
872 $sk->link(
873 $targetPage,
874 wfMsgHtml(
875 'revisionasof',
876 htmlspecialchars( $wgLang->timeanddate( $rev->getTimestamp(), true ) ),
877 htmlspecialchars( $wgLang->date( $rev->getTimestamp(), true ) ),
878 htmlspecialchars( $wgLang->time( $rev->getTimestamp(), true ) )
879 ),
880 array(),
881 $targetQuery
882 ) .
883 '</strong></div>' .
884 '<div id="mw-diff-'.$prefix.'title2">' .
885 $sk->revUserTools( $rev ) . '<br/>' .
886 '</div>' .
887 '<div id="mw-diff-'.$prefix.'title3">' .
888 $sk->revComment( $rev ) . $del . '<br/>' .
889 '</div>';
890 }
891
892 /**
893 * Show a form confirming whether a tokenless user really wants to see a file
894 */
895 private function showFileConfirmationForm( $key ) {
896 global $wgOut, $wgUser, $wgLang;
897 $file = new ArchivedFile( $this->mTargetObj, '', $this->mFile );
898 $wgOut->addWikiMsg( 'undelete-show-file-confirm',
899 $this->mTargetObj->getText(),
900 $wgLang->date( $file->getTimestamp() ),
901 $wgLang->time( $file->getTimestamp() ) );
902 $wgOut->addHTML(
903 Xml::openElement( 'form', array(
904 'method' => 'POST',
905 'action' => SpecialPage::getTitleFor( 'Undelete' )->getLocalUrl(
906 'target=' . urlencode( $this->mTarget ) .
907 '&file=' . urlencode( $key ) .
908 '&token=' . urlencode( $wgUser->editToken( $key ) ) )
909 )
910 ) .
911 Xml::submitButton( wfMsg( 'undelete-show-file-submit' ) ) .
912 '</form>'
913 );
914 }
915
916 /**
917 * Show a deleted file version requested by the visitor.
918 */
919 private function showFile( $key ) {
920 global $wgOut, $wgRequest;
921 $wgOut->disable();
922
923 # We mustn't allow the output to be Squid cached, otherwise
924 # if an admin previews a deleted image, and it's cached, then
925 # a user without appropriate permissions can toddle off and
926 # nab the image, and Squid will serve it
927 $wgRequest->response()->header( 'Expires: ' . gmdate( 'D, d M Y H:i:s', 0 ) . ' GMT' );
928 $wgRequest->response()->header( 'Cache-Control: no-cache, no-store, max-age=0, must-revalidate' );
929 $wgRequest->response()->header( 'Pragma: no-cache' );
930
931 global $IP;
932 require_once( "$IP/includes/StreamFile.php" );
933 $repo = RepoGroup::singleton()->getLocalRepo();
934 $path = $repo->getZonePath( 'deleted' ) . '/' . $repo->getDeletedHashPath( $key ) . $key;
935 wfStreamFile( $path );
936 }
937
938 private function showHistory( ) {
939 global $wgLang, $wgUser, $wgOut;
940
941 $sk = $wgUser->getSkin();
942 if( $this->mAllowed ) {
943 $wgOut->setPagetitle( wfMsg( "undeletepage" ) );
944 } else {
945 $wgOut->setPagetitle( wfMsg( 'viewdeletedpage' ) );
946 }
947
948 $wgOut->wrapWikiMsg( "<div class='mw-undelete-pagetitle'>\n$1</div>\n", array ( 'undeletepagetitle', $this->mTargetObj->getPrefixedText() ) );
949
950 $archive = new PageArchive( $this->mTargetObj );
951 /*
952 $text = $archive->getLastRevisionText();
953 if( is_null( $text ) ) {
954 $wgOut->addWikiMsg( "nohistory" );
955 return;
956 }
957 */
958 $wgOut->addHTML( '<div class="mw-undelete-history">' );
959 if ( $this->mAllowed ) {
960 $wgOut->addWikiMsg( "undeletehistory" );
961 $wgOut->addWikiMsg( "undeleterevdel" );
962 } else {
963 $wgOut->addWikiMsg( "undeletehistorynoadmin" );
964 }
965 $wgOut->addHTML( '</div>' );
966
967 # List all stored revisions
968 $revisions = $archive->listRevisions();
969 $files = $archive->listFiles();
970
971 $haveRevisions = $revisions && $revisions->numRows() > 0;
972 $haveFiles = $files && $files->numRows() > 0;
973
974 # Batch existence check on user and talk pages
975 if( $haveRevisions ) {
976 $batch = new LinkBatch();
977 while( $row = $revisions->fetchObject() ) {
978 $batch->addObj( Title::makeTitleSafe( NS_USER, $row->ar_user_text ) );
979 $batch->addObj( Title::makeTitleSafe( NS_USER_TALK, $row->ar_user_text ) );
980 }
981 $batch->execute();
982 $revisions->seek( 0 );
983 }
984 if( $haveFiles ) {
985 $batch = new LinkBatch();
986 while( $row = $files->fetchObject() ) {
987 $batch->addObj( Title::makeTitleSafe( NS_USER, $row->fa_user_text ) );
988 $batch->addObj( Title::makeTitleSafe( NS_USER_TALK, $row->fa_user_text ) );
989 }
990 $batch->execute();
991 $files->seek( 0 );
992 }
993
994 if ( $this->mAllowed ) {
995 $titleObj = SpecialPage::getTitleFor( "Undelete" );
996 $action = $titleObj->getLocalURL( array( 'action' => 'submit' ) );
997 # Start the form here
998 $top = Xml::openElement( 'form', array( 'method' => 'post', 'action' => $action, 'id' => 'undelete' ) );
999 $wgOut->addHTML( $top );
1000 }
1001
1002 # Show relevant lines from the deletion log:
1003 $wgOut->addHTML( Xml::element( 'h2', null, LogPage::logName( 'delete' ) ) . "\n" );
1004 LogEventsList::showLogExtract( $wgOut, 'delete', $this->mTargetObj->getPrefixedText() );
1005 # Show relevant lines from the suppression log:
1006 if( $wgUser->isAllowed( 'suppressionlog' ) ) {
1007 $wgOut->addHTML( Xml::element( 'h2', null, LogPage::logName( 'suppress' ) ) . "\n" );
1008 LogEventsList::showLogExtract( $wgOut, 'suppress', $this->mTargetObj->getPrefixedText() );
1009 }
1010
1011 if( $this->mAllowed && ( $haveRevisions || $haveFiles ) ) {
1012 # Format the user-visible controls (comment field, submission button)
1013 # in a nice little table
1014 if( $wgUser->isAllowed( 'suppressrevision' ) ) {
1015 $unsuppressBox =
1016 "<tr>
1017 <td>&nbsp;</td>
1018 <td class='mw-input'>" .
1019 Xml::checkLabel( wfMsg('revdelete-unsuppress'), 'wpUnsuppress',
1020 'mw-undelete-unsuppress', $this->mUnsuppress ).
1021 "</td>
1022 </tr>";
1023 } else {
1024 $unsuppressBox = "";
1025 }
1026 $table =
1027 Xml::fieldset( wfMsg( 'undelete-fieldset-title' ) ) .
1028 Xml::openElement( 'table', array( 'id' => 'mw-undelete-table' ) ) .
1029 "<tr>
1030 <td colspan='2' class='mw-undelete-extrahelp'>" .
1031 wfMsgWikiHtml( 'undeleteextrahelp' ) .
1032 "</td>
1033 </tr>
1034 <tr>
1035 <td class='mw-label'>" .
1036 Xml::label( wfMsg( 'undeletecomment' ), 'wpComment' ) .
1037 "</td>
1038 <td class='mw-input'>" .
1039 Xml::input( 'wpComment', 50, $this->mComment, array( 'id' => 'wpComment' ) ) .
1040 "</td>
1041 </tr>
1042 <tr>
1043 <td>&nbsp;</td>
1044 <td class='mw-submit'>" .
1045 Xml::submitButton( wfMsg( 'undeletebtn' ), array( 'name' => 'restore', 'id' => 'mw-undelete-submit' ) ) . ' ' .
1046 Xml::element( 'input', array( 'type' => 'reset', 'value' => wfMsg( 'undeletereset' ), 'id' => 'mw-undelete-reset' ) ) . ' ' .
1047 Xml::submitButton( wfMsg( 'undeleteinvert' ), array( 'name' => 'invert', 'id' => 'mw-undelete-invert' ) ) .
1048 "</td>
1049 </tr>" .
1050 $unsuppressBox .
1051 Xml::closeElement( 'table' ) .
1052 Xml::closeElement( 'fieldset' );
1053
1054 $wgOut->addHTML( $table );
1055 }
1056
1057 $wgOut->addHTML( Xml::element( 'h2', null, wfMsg( 'history' ) ) . "\n" );
1058
1059 if( $haveRevisions ) {
1060 # The page's stored (deleted) history:
1061 $wgOut->addHTML("<ul>");
1062 $target = urlencode( $this->mTarget );
1063 $remaining = $revisions->numRows();
1064 $earliestLiveTime = $this->mTargetObj->getEarliestRevTime();
1065
1066 while( $row = $revisions->fetchObject() ) {
1067 $remaining--;
1068 $wgOut->addHTML( $this->formatRevisionRow( $row, $earliestLiveTime, $remaining, $sk ) );
1069 }
1070 $revisions->free();
1071 $wgOut->addHTML("</ul>");
1072 } else {
1073 $wgOut->addWikiMsg( "nohistory" );
1074 }
1075
1076 if( $haveFiles ) {
1077 $wgOut->addHTML( Xml::element( 'h2', null, wfMsg( 'filehist' ) ) . "\n" );
1078 $wgOut->addHTML( "<ul>" );
1079 while( $row = $files->fetchObject() ) {
1080 $wgOut->addHTML( $this->formatFileRow( $row, $sk ) );
1081 }
1082 $files->free();
1083 $wgOut->addHTML( "</ul>" );
1084 }
1085
1086 if ( $this->mAllowed ) {
1087 # Slip in the hidden controls here
1088 $misc = Xml::hidden( 'target', $this->mTarget );
1089 $misc .= Xml::hidden( 'wpEditToken', $wgUser->editToken() );
1090 $misc .= Xml::closeElement( 'form' );
1091 $wgOut->addHTML( $misc );
1092 }
1093
1094 return true;
1095 }
1096
1097 private function formatRevisionRow( $row, $earliestLiveTime, $remaining, $sk ) {
1098 global $wgUser, $wgLang;
1099
1100 $rev = Revision::newFromArchiveRow( $row,
1101 array( 'page' => $this->mTargetObj->getArticleId() ) );
1102 $stxt = '';
1103 $ts = wfTimestamp( TS_MW, $row->ar_timestamp );
1104 if( $this->mAllowed ) {
1105 if( $this->mInvert){
1106 if( in_array( $ts, $this->mTargetTimestamp ) ) {
1107 $checkBox = Xml::check( "ts$ts");
1108 } else {
1109 $checkBox = Xml::check( "ts$ts", true );
1110 }
1111 } else {
1112 $checkBox = Xml::check( "ts$ts" );
1113 }
1114 $titleObj = SpecialPage::getTitleFor( "Undelete" );
1115 $pageLink = $this->getPageLink( $rev, $titleObj, $ts, $sk );
1116 # Last link
1117 if( !$rev->userCan( Revision::DELETED_TEXT ) ) {
1118 $last = wfMsgHtml('diff');
1119 } else if( $remaining > 0 || ($earliestLiveTime && $ts > $earliestLiveTime) ) {
1120 $last = $sk->linkKnown(
1121 $titleObj,
1122 wfMsgHtml('diff'),
1123 array(),
1124 array(
1125 'target' => $this->mTargetObj->getPrefixedText(),
1126 'timestamp' => $ts,
1127 'diff' => 'prev'
1128 )
1129 );
1130 } else {
1131 $last = wfMsgHtml('diff');
1132 }
1133 } else {
1134 $checkBox = '';
1135 $pageLink = htmlspecialchars( $wgLang->timeanddate( $ts, true ) );
1136 $last = wfMsgHtml('diff');
1137 }
1138 $userLink = $sk->revUserTools( $rev );
1139
1140 if(!is_null($size = $row->ar_len)) {
1141 $stxt = $sk->formatRevisionSize( $size );
1142 }
1143 $comment = $sk->revComment( $rev );
1144 $revdlink = '';
1145 if( $wgUser->isAllowed( 'deleterevision' ) ) {
1146 if( !$rev->userCan( Revision::DELETED_RESTRICTED ) ) {
1147 // If revision was hidden from sysops
1148 $revdlink = Xml::tags( 'span', array( 'class'=>'mw-revdelundel-link' ),
1149 '('.wfMsgHtml('rev-delundel').')' );
1150 } else {
1151 $query = array(
1152 'type' => 'archive',
1153 'target' => $this->mTargetObj->getPrefixedDBkey(),
1154 'ids' => $ts
1155 );
1156 $revdlink = $sk->revDeleteLink( $query, $rev->isDeleted( Revision::DELETED_RESTRICTED ) );
1157 }
1158 }
1159
1160 return "<li>$checkBox $revdlink ($last) $pageLink . . $userLink $stxt $comment</li>";
1161 }
1162
1163 private function formatFileRow( $row, $sk ) {
1164 global $wgUser, $wgLang;
1165
1166 $file = ArchivedFile::newFromRow( $row );
1167
1168 $ts = wfTimestamp( TS_MW, $row->fa_timestamp );
1169 if( $this->mAllowed && $row->fa_storage_key ) {
1170 $checkBox = Xml::check( "fileid" . $row->fa_id );
1171 $key = urlencode( $row->fa_storage_key );
1172 $target = urlencode( $this->mTarget );
1173 $titleObj = SpecialPage::getTitleFor( "Undelete" );
1174 $pageLink = $this->getFileLink( $file, $titleObj, $ts, $key, $sk );
1175 } else {
1176 $checkBox = '';
1177 $pageLink = $wgLang->timeanddate( $ts, true );
1178 }
1179 $userLink = $this->getFileUser( $file, $sk );
1180 $data =
1181 wfMsg( 'widthheight',
1182 $wgLang->formatNum( $row->fa_width ),
1183 $wgLang->formatNum( $row->fa_height ) ) .
1184 ' (' .
1185 wfMsg( 'nbytes', $wgLang->formatNum( $row->fa_size ) ) .
1186 ')';
1187 $data = htmlspecialchars( $data );
1188 $comment = $this->getFileComment( $file, $sk );
1189 $revdlink = '';
1190 if( $wgUser->isAllowed( 'deleterevision' ) ) {
1191 if( !$file->userCan(File::DELETED_RESTRICTED ) ) {
1192 // If revision was hidden from sysops
1193 $revdlink = Xml::tags( 'span', array( 'class'=>'mw-revdelundel-link' ), '('.wfMsgHtml('rev-delundel').')' );
1194 } else {
1195 $query = array(
1196 'type' => 'filearchive',
1197 'target' => $this->mTargetObj->getPrefixedDBkey(),
1198 'ids' => $row->fa_id
1199 );
1200 $revdlink = $sk->revDeleteLink( $query, $file->isDeleted( File::DELETED_RESTRICTED ) );
1201 }
1202 }
1203 return "<li>$checkBox $revdlink $pageLink . . $userLink $data $comment</li>\n";
1204 }
1205
1206 /**
1207 * Fetch revision text link if it's available to all users
1208 * @return string
1209 */
1210 function getPageLink( $rev, $titleObj, $ts, $sk ) {
1211 global $wgLang;
1212
1213 $time = htmlspecialchars( $wgLang->timeanddate( $ts, true ) );
1214
1215 if( !$rev->userCan(Revision::DELETED_TEXT) ) {
1216 return '<span class="history-deleted">' . $time . '</span>';
1217 } else {
1218 $link = $sk->linkKnown(
1219 $titleObj,
1220 $time,
1221 array(),
1222 array(
1223 'target' => $this->mTargetObj->getPrefixedText(),
1224 'timestamp' => $ts
1225 )
1226 );
1227 if( $rev->isDeleted(Revision::DELETED_TEXT) )
1228 $link = '<span class="history-deleted">' . $link . '</span>';
1229 return $link;
1230 }
1231 }
1232
1233 /**
1234 * Fetch image view link if it's available to all users
1235 * @return string
1236 */
1237 function getFileLink( $file, $titleObj, $ts, $key, $sk ) {
1238 global $wgLang, $wgUser;
1239
1240 if( !$file->userCan(File::DELETED_FILE) ) {
1241 return '<span class="history-deleted">' . $wgLang->timeanddate( $ts, true ) . '</span>';
1242 } else {
1243 $link = $sk->linkKnown(
1244 $titleObj,
1245 $wgLang->timeanddate( $ts, true ),
1246 array(),
1247 array(
1248 'target' => $this->mTargetObj->getPrefixedText(),
1249 'file' => $key,
1250 'token' => $wgUser->editToken( $key )
1251 )
1252 );
1253 if( $file->isDeleted(File::DELETED_FILE) )
1254 $link = '<span class="history-deleted">' . $link . '</span>';
1255 return $link;
1256 }
1257 }
1258
1259 /**
1260 * Fetch file's user id if it's available to this user
1261 * @return string
1262 */
1263 function getFileUser( $file, $sk ) {
1264 if( !$file->userCan(File::DELETED_USER) ) {
1265 return '<span class="history-deleted">' . wfMsgHtml( 'rev-deleted-user' ) . '</span>';
1266 } else {
1267 $link = $sk->userLink( $file->getRawUser(), $file->getRawUserText() ) .
1268 $sk->userToolLinks( $file->getRawUser(), $file->getRawUserText() );
1269 if( $file->isDeleted(File::DELETED_USER) )
1270 $link = '<span class="history-deleted">' . $link . '</span>';
1271 return $link;
1272 }
1273 }
1274
1275 /**
1276 * Fetch file upload comment if it's available to this user
1277 * @return string
1278 */
1279 function getFileComment( $file, $sk ) {
1280 if( !$file->userCan(File::DELETED_COMMENT) ) {
1281 return '<span class="history-deleted"><span class="comment">' . wfMsgHtml( 'rev-deleted-comment' ) . '</span></span>';
1282 } else {
1283 $link = $sk->commentBlock( $file->getRawDescription() );
1284 if( $file->isDeleted(File::DELETED_COMMENT) )
1285 $link = '<span class="history-deleted">' . $link . '</span>';
1286 return $link;
1287 }
1288 }
1289
1290 function undelete() {
1291 global $wgOut, $wgUser;
1292 if ( wfReadOnly() ) {
1293 $wgOut->readOnlyPage();
1294 return;
1295 }
1296 if( !is_null( $this->mTargetObj ) ) {
1297 $archive = new PageArchive( $this->mTargetObj );
1298 $ok = $archive->undelete(
1299 $this->mTargetTimestamp,
1300 $this->mComment,
1301 $this->mFileVersions,
1302 $this->mUnsuppress );
1303
1304 if( is_array($ok) ) {
1305 if ( $ok[1] ) // Undeleted file count
1306 wfRunHooks( 'FileUndeleteComplete', array(
1307 $this->mTargetObj, $this->mFileVersions,
1308 $wgUser, $this->mComment) );
1309
1310 $skin = $wgUser->getSkin();
1311 $link = $skin->linkKnown( $this->mTargetObj );
1312 $wgOut->addHTML( wfMsgWikiHtml( 'undeletedpage', $link ) );
1313 } else {
1314 $wgOut->showFatalError( wfMsg( "cannotundelete" ) );
1315 $wgOut->addHTML( '<p>' . wfMsgHtml( "undeleterevdel" ) . '</p>' );
1316 }
1317
1318 // Show file deletion warnings and errors
1319 $status = $archive->getFileStatus();
1320 if( $status && !$status->isGood() ) {
1321 $wgOut->addWikiText( $status->getWikiText( 'undelete-error-short', 'undelete-error-long' ) );
1322 }
1323 } else {
1324 $wgOut->showFatalError( wfMsg( "cannotundelete" ) );
1325 }
1326 return false;
1327 }
1328 }