Merge "Add new-inline-tags to tidy.conf"
[lhc/web/wiklou.git] / includes / filerepo / file / LocalFile.php
1 <?php
2 /**
3 * Local file in the wiki's own database.
4 *
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.
9 *
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.
14 *
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
19 *
20 * @file
21 * @ingroup FileAbstraction
22 */
23
24 /**
25 * Bump this number when serialized cache records may be incompatible.
26 */
27 define( 'MW_FILE_VERSION', 8 );
28
29 /**
30 * Class to represent a local file in the wiki's own database
31 *
32 * Provides methods to retrieve paths (physical, logical, URL),
33 * to generate image thumbnails or for uploading.
34 *
35 * Note that only the repo object knows what its file class is called. You should
36 * never name a file class explictly outside of the repo class. Instead use the
37 * repo's factory functions to generate file objects, for example:
38 *
39 * RepoGroup::singleton()->getLocalRepo()->newFile($title);
40 *
41 * The convenience functions wfLocalFile() and wfFindFile() should be sufficient
42 * in most cases.
43 *
44 * @ingroup FileAbstraction
45 */
46 class LocalFile extends File {
47 const CACHE_FIELD_MAX_LEN = 1000;
48
49 /**#@+
50 * @private
51 */
52 var
53 $fileExists, # does the file exist on disk? (loadFromXxx)
54 $historyLine, # Number of line to return by nextHistoryLine() (constructor)
55 $historyRes, # result of the query for the file's history (nextHistoryLine)
56 $width, # \
57 $height, # |
58 $bits, # --- returned by getimagesize (loadFromXxx)
59 $attr, # /
60 $media_type, # MEDIATYPE_xxx (bitmap, drawing, audio...)
61 $mime, # MIME type, determined by MimeMagic::guessMimeType
62 $major_mime, # Major mime type
63 $minor_mime, # Minor mime type
64 $size, # Size in bytes (loadFromXxx)
65 $metadata, # Handler-specific metadata
66 $timestamp, # Upload timestamp
67 $sha1, # SHA-1 base 36 content hash
68 $user, $user_text, # User, who uploaded the file
69 $description, # Description of current revision of the file
70 $dataLoaded, # Whether or not all this has been loaded from the database (loadFromXxx)
71 $upgraded, # Whether the row was upgraded on load
72 $locked, # True if the image row is locked
73 $missing, # True if file is not present in file system. Not to be cached in memcached
74 $deleted; # Bitfield akin to rev_deleted
75
76 /**#@-*/
77
78 /**
79 * @var LocalRepo
80 */
81 var $repo;
82
83 protected $repoClass = 'LocalRepo';
84
85 /**
86 * Create a LocalFile from a title
87 * Do not call this except from inside a repo class.
88 *
89 * Note: $unused param is only here to avoid an E_STRICT
90 *
91 * @param $title
92 * @param $repo
93 * @param $unused
94 *
95 * @return LocalFile
96 */
97 static function newFromTitle( $title, $repo, $unused = null ) {
98 return new self( $title, $repo );
99 }
100
101 /**
102 * Create a LocalFile from a title
103 * Do not call this except from inside a repo class.
104 *
105 * @param $row
106 * @param $repo
107 *
108 * @return LocalFile
109 */
110 static function newFromRow( $row, $repo ) {
111 $title = Title::makeTitle( NS_FILE, $row->img_name );
112 $file = new self( $title, $repo );
113 $file->loadFromRow( $row );
114
115 return $file;
116 }
117
118 /**
119 * Create a LocalFile from a SHA-1 key
120 * Do not call this except from inside a repo class.
121 *
122 * @param $sha1 string base-36 SHA-1
123 * @param $repo LocalRepo
124 * @param string|bool $timestamp MW_timestamp (optional)
125 *
126 * @return bool|LocalFile
127 */
128 static function newFromKey( $sha1, $repo, $timestamp = false ) {
129 $dbr = $repo->getSlaveDB();
130
131 $conds = array( 'img_sha1' => $sha1 );
132 if ( $timestamp ) {
133 $conds['img_timestamp'] = $dbr->timestamp( $timestamp );
134 }
135
136 $row = $dbr->selectRow( 'image', self::selectFields(), $conds, __METHOD__ );
137 if ( $row ) {
138 return self::newFromRow( $row, $repo );
139 } else {
140 return false;
141 }
142 }
143
144 /**
145 * Fields in the image table
146 * @return array
147 */
148 static function selectFields() {
149 return array(
150 'img_name',
151 'img_size',
152 'img_width',
153 'img_height',
154 'img_metadata',
155 'img_bits',
156 'img_media_type',
157 'img_major_mime',
158 'img_minor_mime',
159 'img_description',
160 'img_user',
161 'img_user_text',
162 'img_timestamp',
163 'img_sha1',
164 );
165 }
166
167 /**
168 * Constructor.
169 * Do not call this except from inside a repo class.
170 */
171 function __construct( $title, $repo ) {
172 parent::__construct( $title, $repo );
173
174 $this->metadata = '';
175 $this->historyLine = 0;
176 $this->historyRes = null;
177 $this->dataLoaded = false;
178
179 $this->assertRepoDefined();
180 $this->assertTitleDefined();
181 }
182
183 /**
184 * Get the memcached key for the main data for this file, or false if
185 * there is no access to the shared cache.
186 * @return bool
187 */
188 function getCacheKey() {
189 $hashedName = md5( $this->getName() );
190
191 return $this->repo->getSharedCacheKey( 'file', $hashedName );
192 }
193
194 /**
195 * Try to load file metadata from memcached. Returns true on success.
196 * @return bool
197 */
198 function loadFromCache() {
199 global $wgMemc;
200
201 wfProfileIn( __METHOD__ );
202 $this->dataLoaded = false;
203 $key = $this->getCacheKey();
204
205 if ( !$key ) {
206 wfProfileOut( __METHOD__ );
207 return false;
208 }
209
210 $cachedValues = $wgMemc->get( $key );
211
212 // Check if the key existed and belongs to this version of MediaWiki
213 if ( isset( $cachedValues['version'] ) && ( $cachedValues['version'] == MW_FILE_VERSION ) ) {
214 wfDebug( "Pulling file metadata from cache key $key\n" );
215 $this->fileExists = $cachedValues['fileExists'];
216 if ( $this->fileExists ) {
217 $this->setProps( $cachedValues );
218 }
219 $this->dataLoaded = true;
220 }
221
222 if ( $this->dataLoaded ) {
223 wfIncrStats( 'image_cache_hit' );
224 } else {
225 wfIncrStats( 'image_cache_miss' );
226 }
227
228 wfProfileOut( __METHOD__ );
229 return $this->dataLoaded;
230 }
231
232 /**
233 * Save the file metadata to memcached
234 */
235 function saveToCache() {
236 global $wgMemc;
237
238 $this->load();
239 $key = $this->getCacheKey();
240
241 if ( !$key ) {
242 return;
243 }
244
245 $fields = $this->getCacheFields( '' );
246 $cache = array( 'version' => MW_FILE_VERSION );
247 $cache['fileExists'] = $this->fileExists;
248
249 if ( $this->fileExists ) {
250 foreach ( $fields as $field ) {
251 $cache[$field] = $this->$field;
252 }
253 }
254
255 $wgMemc->set( $key, $cache, 60 * 60 * 24 * 7 ); // A week
256 }
257
258 /**
259 * Load metadata from the file itself
260 */
261 function loadFromFile() {
262 $props = $this->repo->getFileProps( $this->getVirtualUrl() );
263 $this->setProps( $props );
264 }
265
266 function getCacheFields( $prefix = 'img_' ) {
267 static $fields = array( 'size', 'width', 'height', 'bits', 'media_type',
268 'major_mime', 'minor_mime', 'metadata', 'timestamp', 'sha1', 'user', 'user_text', 'description' );
269 static $results = array();
270
271 if ( $prefix == '' ) {
272 return $fields;
273 }
274
275 if ( !isset( $results[$prefix] ) ) {
276 $prefixedFields = array();
277 foreach ( $fields as $field ) {
278 $prefixedFields[] = $prefix . $field;
279 }
280 $results[$prefix] = $prefixedFields;
281 }
282
283 return $results[$prefix];
284 }
285
286 /**
287 * Load file metadata from the DB
288 */
289 function loadFromDB() {
290 # Polymorphic function name to distinguish foreign and local fetches
291 $fname = get_class( $this ) . '::' . __FUNCTION__;
292 wfProfileIn( $fname );
293
294 # Unconditionally set loaded=true, we don't want the accessors constantly rechecking
295 $this->dataLoaded = true;
296
297 $dbr = $this->repo->getMasterDB();
298
299 $row = $dbr->selectRow( 'image', $this->getCacheFields( 'img_' ),
300 array( 'img_name' => $this->getName() ), $fname );
301
302 if ( $row ) {
303 $this->loadFromRow( $row );
304 } else {
305 $this->fileExists = false;
306 }
307
308 wfProfileOut( $fname );
309 }
310
311 /**
312 * Decode a row from the database (either object or array) to an array
313 * with timestamps and MIME types decoded, and the field prefix removed.
314 * @return array
315 */
316 function decodeRow( $row, $prefix = 'img_' ) {
317 $array = (array)$row;
318 $prefixLength = strlen( $prefix );
319
320 // Sanity check prefix once
321 if ( substr( key( $array ), 0, $prefixLength ) !== $prefix ) {
322 throw new MWException( __METHOD__ . ': incorrect $prefix parameter' );
323 }
324
325 $decoded = array();
326
327 foreach ( $array as $name => $value ) {
328 $decoded[substr( $name, $prefixLength )] = $value;
329 }
330
331 $decoded['timestamp'] = wfTimestamp( TS_MW, $decoded['timestamp'] );
332
333 if ( empty( $decoded['major_mime'] ) ) {
334 $decoded['mime'] = 'unknown/unknown';
335 } else {
336 if ( !$decoded['minor_mime'] ) {
337 $decoded['minor_mime'] = 'unknown';
338 }
339 $decoded['mime'] = $decoded['major_mime'] . '/' . $decoded['minor_mime'];
340 }
341
342 # Trim zero padding from char/binary field
343 $decoded['sha1'] = rtrim( $decoded['sha1'], "\0" );
344
345 return $decoded;
346 }
347
348 /**
349 * Load file metadata from a DB result row
350 */
351 function loadFromRow( $row, $prefix = 'img_' ) {
352 $this->dataLoaded = true;
353 $array = $this->decodeRow( $row, $prefix );
354
355 foreach ( $array as $name => $value ) {
356 $this->$name = $value;
357 }
358
359 $this->fileExists = true;
360 $this->maybeUpgradeRow();
361 }
362
363 /**
364 * Load file metadata from cache or DB, unless already loaded
365 */
366 function load() {
367 if ( !$this->dataLoaded ) {
368 if ( !$this->loadFromCache() ) {
369 $this->loadFromDB();
370 $this->saveToCache();
371 }
372 $this->dataLoaded = true;
373 }
374 }
375
376 /**
377 * Upgrade a row if it needs it
378 */
379 function maybeUpgradeRow() {
380 global $wgUpdateCompatibleMetadata;
381 if ( wfReadOnly() ) {
382 return;
383 }
384
385 if ( is_null( $this->media_type ) ||
386 $this->mime == 'image/svg'
387 ) {
388 $this->upgradeRow();
389 $this->upgraded = true;
390 } else {
391 $handler = $this->getHandler();
392 if ( $handler ) {
393 $validity = $handler->isMetadataValid( $this, $this->metadata );
394 if ( $validity === MediaHandler::METADATA_BAD
395 || ( $validity === MediaHandler::METADATA_COMPATIBLE && $wgUpdateCompatibleMetadata )
396 ) {
397 $this->upgradeRow();
398 $this->upgraded = true;
399 }
400 }
401 }
402 }
403
404 function getUpgraded() {
405 return $this->upgraded;
406 }
407
408 /**
409 * Fix assorted version-related problems with the image row by reloading it from the file
410 */
411 function upgradeRow() {
412 wfProfileIn( __METHOD__ );
413
414 $this->lock(); // begin
415
416 $this->loadFromFile();
417
418 # Don't destroy file info of missing files
419 if ( !$this->fileExists ) {
420 wfDebug( __METHOD__ . ": file does not exist, aborting\n" );
421 wfProfileOut( __METHOD__ );
422 return;
423 }
424
425 $dbw = $this->repo->getMasterDB();
426 list( $major, $minor ) = self::splitMime( $this->mime );
427
428 if ( wfReadOnly() ) {
429 wfProfileOut( __METHOD__ );
430 return;
431 }
432 wfDebug( __METHOD__ . ': upgrading ' . $this->getName() . " to the current schema\n" );
433
434 $dbw->update( 'image',
435 array(
436 'img_width' => $this->width,
437 'img_height' => $this->height,
438 'img_bits' => $this->bits,
439 'img_media_type' => $this->media_type,
440 'img_major_mime' => $major,
441 'img_minor_mime' => $minor,
442 'img_metadata' => $this->metadata,
443 'img_sha1' => $this->sha1,
444 ),
445 array( 'img_name' => $this->getName() ),
446 __METHOD__
447 );
448
449 $this->saveToCache();
450
451 $this->unlock(); // done
452
453 wfProfileOut( __METHOD__ );
454 }
455
456 /**
457 * Set properties in this object to be equal to those given in the
458 * associative array $info. Only cacheable fields can be set.
459 *
460 * If 'mime' is given, it will be split into major_mime/minor_mime.
461 * If major_mime/minor_mime are given, $this->mime will also be set.
462 */
463 function setProps( $info ) {
464 $this->dataLoaded = true;
465 $fields = $this->getCacheFields( '' );
466 $fields[] = 'fileExists';
467
468 foreach ( $fields as $field ) {
469 if ( isset( $info[$field] ) ) {
470 $this->$field = $info[$field];
471 }
472 }
473
474 // Fix up mime fields
475 if ( isset( $info['major_mime'] ) ) {
476 $this->mime = "{$info['major_mime']}/{$info['minor_mime']}";
477 } elseif ( isset( $info['mime'] ) ) {
478 $this->mime = $info['mime'];
479 list( $this->major_mime, $this->minor_mime ) = self::splitMime( $this->mime );
480 }
481 }
482
483 /** splitMime inherited */
484 /** getName inherited */
485 /** getTitle inherited */
486 /** getURL inherited */
487 /** getViewURL inherited */
488 /** getPath inherited */
489 /** isVisible inhereted */
490
491 function isMissing() {
492 if ( $this->missing === null ) {
493 list( $fileExists ) = $this->repo->fileExists( $this->getVirtualUrl() );
494 $this->missing = !$fileExists;
495 }
496 return $this->missing;
497 }
498
499 /**
500 * Return the width of the image
501 *
502 * Returns false on error
503 * @return bool
504 */
505 public function getWidth( $page = 1 ) {
506 $this->load();
507
508 if ( $this->isMultipage() ) {
509 $dim = $this->getHandler()->getPageDimensions( $this, $page );
510 if ( $dim ) {
511 return $dim['width'];
512 } else {
513 return false;
514 }
515 } else {
516 return $this->width;
517 }
518 }
519
520 /**
521 * Return the height of the image
522 *
523 * Returns false on error
524 * @return bool
525 */
526 public function getHeight( $page = 1 ) {
527 $this->load();
528
529 if ( $this->isMultipage() ) {
530 $dim = $this->getHandler()->getPageDimensions( $this, $page );
531 if ( $dim ) {
532 return $dim['height'];
533 } else {
534 return false;
535 }
536 } else {
537 return $this->height;
538 }
539 }
540
541 /**
542 * Returns ID or name of user who uploaded the file
543 *
544 * @param $type string 'text' or 'id'
545 */
546 function getUser( $type = 'text' ) {
547 $this->load();
548
549 if ( $type == 'text' ) {
550 return $this->user_text;
551 } elseif ( $type == 'id' ) {
552 return $this->user;
553 }
554 }
555
556 /**
557 * Get handler-specific metadata
558 * @return string
559 */
560 function getMetadata() {
561 $this->load();
562 return $this->metadata;
563 }
564
565 function getBitDepth() {
566 $this->load();
567 return $this->bits;
568 }
569
570 /**
571 * Return the size of the image file, in bytes
572 */
573 public function getSize() {
574 $this->load();
575 return $this->size;
576 }
577
578 /**
579 * Returns the mime type of the file.
580 */
581 function getMimeType() {
582 $this->load();
583 return $this->mime;
584 }
585
586 /**
587 * Return the type of the media in the file.
588 * Use the value returned by this function with the MEDIATYPE_xxx constants.
589 */
590 function getMediaType() {
591 $this->load();
592 return $this->media_type;
593 }
594
595 /** canRender inherited */
596 /** mustRender inherited */
597 /** allowInlineDisplay inherited */
598 /** isSafeFile inherited */
599 /** isTrustedFile inherited */
600
601 /**
602 * Returns true if the file exists on disk.
603 * @return boolean Whether file exist on disk.
604 */
605 public function exists() {
606 $this->load();
607 return $this->fileExists;
608 }
609
610 /** getTransformScript inherited */
611 /** getUnscaledThumb inherited */
612 /** thumbName inherited */
613 /** createThumb inherited */
614 /** transform inherited */
615
616 /**
617 * Fix thumbnail files from 1.4 or before, with extreme prejudice
618 */
619 function migrateThumbFile( $thumbName ) {
620 $thumbDir = $this->getThumbPath();
621
622 /* Old code for bug 2532
623 $thumbPath = "$thumbDir/$thumbName";
624 if ( is_dir( $thumbPath ) ) {
625 // Directory where file should be
626 // This happened occasionally due to broken migration code in 1.5
627 // Rename to broken-*
628 for ( $i = 0; $i < 100 ; $i++ ) {
629 $broken = $this->repo->getZonePath( 'public' ) . "/broken-$i-$thumbName";
630 if ( !file_exists( $broken ) ) {
631 rename( $thumbPath, $broken );
632 break;
633 }
634 }
635 // Doesn't exist anymore
636 clearstatcache();
637 }
638 */
639
640 if ( $this->repo->fileExists( $thumbDir ) ) {
641 // Delete file where directory should be
642 $this->repo->cleanupBatch( array( $thumbDir ) );
643 }
644 }
645
646 /** getHandler inherited */
647 /** iconThumb inherited */
648 /** getLastError inherited */
649
650 /**
651 * Get all thumbnail names previously generated for this file
652 * @param $archiveName string|bool Name of an archive file, default false
653 * @return array first element is the base dir, then files in that base dir.
654 */
655 function getThumbnails( $archiveName = false ) {
656 $this->load();
657
658 if ( $archiveName ) {
659 $dir = $this->getArchiveThumbPath( $archiveName );
660 } else {
661 $dir = $this->getThumbPath();
662 }
663
664 $backend = $this->repo->getBackend();
665 $files = array( $dir );
666 $iterator = $backend->getFileList( array( 'dir' => $dir ) );
667 foreach ( $iterator as $file ) {
668 $files[] = $file;
669 }
670
671 return $files;
672 }
673
674 /**
675 * Refresh metadata in memcached, but don't touch thumbnails or squid
676 */
677 function purgeMetadataCache() {
678 $this->loadFromDB();
679 $this->saveToCache();
680 $this->purgeHistory();
681 }
682
683 /**
684 * Purge the shared history (OldLocalFile) cache
685 */
686 function purgeHistory() {
687 global $wgMemc;
688
689 $hashedName = md5( $this->getName() );
690 $oldKey = $this->repo->getSharedCacheKey( 'oldfile', $hashedName );
691
692 // Must purge thumbnails for old versions too! bug 30192
693 foreach( $this->getHistory() as $oldFile ) {
694 $oldFile->purgeThumbnails();
695 }
696
697 if ( $oldKey ) {
698 $wgMemc->delete( $oldKey );
699 }
700 }
701
702 /**
703 * Delete all previously generated thumbnails, refresh metadata in memcached and purge the squid
704 */
705 function purgeCache( $options = array() ) {
706 // Refresh metadata cache
707 $this->purgeMetadataCache();
708
709 // Delete thumbnails
710 $this->purgeThumbnails( $options );
711
712 // Purge squid cache for this file
713 SquidUpdate::purge( array( $this->getURL() ) );
714 }
715
716 /**
717 * Delete cached transformed files for an archived version only.
718 * @param $archiveName string name of the archived file
719 */
720 function purgeOldThumbnails( $archiveName ) {
721 global $wgUseSquid;
722 // Get a list of old thumbnails and URLs
723 $files = $this->getThumbnails( $archiveName );
724 $dir = array_shift( $files );
725 $this->purgeThumbList( $dir, $files );
726
727 // Purge any custom thumbnail caches
728 wfRunHooks( 'LocalFilePurgeThumbnails', array( $this, $archiveName ) );
729
730 // Purge the squid
731 if ( $wgUseSquid ) {
732 $urls = array();
733 foreach( $files as $file ) {
734 $urls[] = $this->getArchiveThumbUrl( $archiveName, $file );
735 }
736 SquidUpdate::purge( $urls );
737 }
738 }
739
740 /**
741 * Delete cached transformed files for the current version only.
742 */
743 function purgeThumbnails( $options = array() ) {
744 global $wgUseSquid;
745
746 // Delete thumbnails
747 $files = $this->getThumbnails();
748
749 // Give media handler a chance to filter the purge list
750 if ( !empty( $options['forThumbRefresh'] ) ) {
751 $handler = $this->getHandler();
752 if ( $handler ) {
753 $handler->filterThumbnailPurgeList( $files, $options );
754 }
755 }
756
757 $dir = array_shift( $files );
758 $this->purgeThumbList( $dir, $files );
759
760 // Purge any custom thumbnail caches
761 wfRunHooks( 'LocalFilePurgeThumbnails', array( $this, false ) );
762
763 // Purge the squid
764 if ( $wgUseSquid ) {
765 $urls = array();
766 foreach( $files as $file ) {
767 $urls[] = $this->getThumbUrl( $file );
768 }
769 SquidUpdate::purge( $urls );
770 }
771 }
772
773 /**
774 * Delete a list of thumbnails visible at urls
775 * @param $dir string base dir of the files.
776 * @param $files array of strings: relative filenames (to $dir)
777 */
778 protected function purgeThumbList( $dir, $files ) {
779 $fileListDebug = strtr(
780 var_export( $files, true ),
781 array("\n"=>'')
782 );
783 wfDebug( __METHOD__ . ": $fileListDebug\n" );
784
785 $purgeList = array();
786 foreach ( $files as $file ) {
787 # Check that the base file name is part of the thumb name
788 # This is a basic sanity check to avoid erasing unrelated directories
789 if ( strpos( $file, $this->getName() ) !== false ) {
790 $purgeList[] = "{$dir}/{$file}";
791 }
792 }
793
794 # Delete the thumbnails
795 $this->repo->quickPurgeBatch( $purgeList );
796 # Clear out the thumbnail directory if empty
797 $this->repo->quickCleanDir( $dir );
798 }
799
800 /** purgeDescription inherited */
801 /** purgeEverything inherited */
802
803 function getHistory( $limit = null, $start = null, $end = null, $inc = true ) {
804 $dbr = $this->repo->getSlaveDB();
805 $tables = array( 'oldimage' );
806 $fields = OldLocalFile::selectFields();
807 $conds = $opts = $join_conds = array();
808 $eq = $inc ? '=' : '';
809 $conds[] = "oi_name = " . $dbr->addQuotes( $this->title->getDBkey() );
810
811 if ( $start ) {
812 $conds[] = "oi_timestamp <$eq " . $dbr->addQuotes( $dbr->timestamp( $start ) );
813 }
814
815 if ( $end ) {
816 $conds[] = "oi_timestamp >$eq " . $dbr->addQuotes( $dbr->timestamp( $end ) );
817 }
818
819 if ( $limit ) {
820 $opts['LIMIT'] = $limit;
821 }
822
823 // Search backwards for time > x queries
824 $order = ( !$start && $end !== null ) ? 'ASC' : 'DESC';
825 $opts['ORDER BY'] = "oi_timestamp $order";
826 $opts['USE INDEX'] = array( 'oldimage' => 'oi_name_timestamp' );
827
828 wfRunHooks( 'LocalFile::getHistory', array( &$this, &$tables, &$fields,
829 &$conds, &$opts, &$join_conds ) );
830
831 $res = $dbr->select( $tables, $fields, $conds, __METHOD__, $opts, $join_conds );
832 $r = array();
833
834 foreach ( $res as $row ) {
835 if ( $this->repo->oldFileFromRowFactory ) {
836 $r[] = call_user_func( $this->repo->oldFileFromRowFactory, $row, $this->repo );
837 } else {
838 $r[] = OldLocalFile::newFromRow( $row, $this->repo );
839 }
840 }
841
842 if ( $order == 'ASC' ) {
843 $r = array_reverse( $r ); // make sure it ends up descending
844 }
845
846 return $r;
847 }
848
849 /**
850 * Return the history of this file, line by line.
851 * starts with current version, then old versions.
852 * uses $this->historyLine to check which line to return:
853 * 0 return line for current version
854 * 1 query for old versions, return first one
855 * 2, ... return next old version from above query
856 * @return bool
857 */
858 public function nextHistoryLine() {
859 # Polymorphic function name to distinguish foreign and local fetches
860 $fname = get_class( $this ) . '::' . __FUNCTION__;
861
862 $dbr = $this->repo->getSlaveDB();
863
864 if ( $this->historyLine == 0 ) {// called for the first time, return line from cur
865 $this->historyRes = $dbr->select( 'image',
866 array(
867 '*',
868 "'' AS oi_archive_name",
869 '0 as oi_deleted',
870 'img_sha1'
871 ),
872 array( 'img_name' => $this->title->getDBkey() ),
873 $fname
874 );
875
876 if ( 0 == $dbr->numRows( $this->historyRes ) ) {
877 $this->historyRes = null;
878 return false;
879 }
880 } elseif ( $this->historyLine == 1 ) {
881 $this->historyRes = $dbr->select( 'oldimage', '*',
882 array( 'oi_name' => $this->title->getDBkey() ),
883 $fname,
884 array( 'ORDER BY' => 'oi_timestamp DESC' )
885 );
886 }
887 $this->historyLine ++;
888
889 return $dbr->fetchObject( $this->historyRes );
890 }
891
892 /**
893 * Reset the history pointer to the first element of the history
894 */
895 public function resetHistory() {
896 $this->historyLine = 0;
897
898 if ( !is_null( $this->historyRes ) ) {
899 $this->historyRes = null;
900 }
901 }
902
903 /** getHashPath inherited */
904 /** getRel inherited */
905 /** getUrlRel inherited */
906 /** getArchiveRel inherited */
907 /** getArchivePath inherited */
908 /** getThumbPath inherited */
909 /** getArchiveUrl inherited */
910 /** getThumbUrl inherited */
911 /** getArchiveVirtualUrl inherited */
912 /** getThumbVirtualUrl inherited */
913 /** isHashed inherited */
914
915 /**
916 * Upload a file and record it in the DB
917 * @param $srcPath String: source storage path or virtual URL
918 * @param $comment String: upload description
919 * @param $pageText String: text to use for the new description page,
920 * if a new description page is created
921 * @param $flags Integer: flags for publish()
922 * @param $props Array: File properties, if known. This can be used to reduce the
923 * upload time when uploading virtual URLs for which the file info
924 * is already known
925 * @param $timestamp String: timestamp for img_timestamp, or false to use the current time
926 * @param $user Mixed: User object or null to use $wgUser
927 *
928 * @return FileRepoStatus object. On success, the value member contains the
929 * archive name, or an empty string if it was a new file.
930 */
931 function upload( $srcPath, $comment, $pageText, $flags = 0, $props = false, $timestamp = false, $user = null ) {
932 global $wgContLang;
933
934 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
935 return $this->readOnlyFatalStatus();
936 }
937
938 // truncate nicely or the DB will do it for us
939 // non-nicely (dangling multi-byte chars, non-truncated version in cache).
940 $comment = $wgContLang->truncate( $comment, 255 );
941 $this->lock(); // begin
942 $status = $this->publish( $srcPath, $flags );
943
944 if ( $status->successCount > 0 ) {
945 # Essentially we are displacing any existing current file and saving
946 # a new current file at the old location. If just the first succeeded,
947 # we still need to displace the current DB entry and put in a new one.
948 if ( !$this->recordUpload2( $status->value, $comment, $pageText, $props, $timestamp, $user ) ) {
949 $status->fatal( 'filenotfound', $srcPath );
950 }
951 }
952
953 $this->unlock(); // done
954
955 return $status;
956 }
957
958 /**
959 * Record a file upload in the upload log and the image table
960 * @return bool
961 */
962 function recordUpload( $oldver, $desc, $license = '', $copyStatus = '', $source = '',
963 $watch = false, $timestamp = false )
964 {
965 $pageText = SpecialUpload::getInitialPageText( $desc, $license, $copyStatus, $source );
966
967 if ( !$this->recordUpload2( $oldver, $desc, $pageText ) ) {
968 return false;
969 }
970
971 if ( $watch ) {
972 global $wgUser;
973 $wgUser->addWatch( $this->getTitle() );
974 }
975 return true;
976 }
977
978 /**
979 * Record a file upload in the upload log and the image table
980 * @return bool
981 */
982 function recordUpload2(
983 $oldver, $comment, $pageText, $props = false, $timestamp = false, $user = null
984 ) {
985 if ( is_null( $user ) ) {
986 global $wgUser;
987 $user = $wgUser;
988 }
989
990 $dbw = $this->repo->getMasterDB();
991 $dbw->begin( __METHOD__ );
992
993 if ( !$props ) {
994 $props = $this->repo->getFileProps( $this->getVirtualUrl() );
995 }
996
997 if ( $timestamp === false ) {
998 $timestamp = $dbw->timestamp();
999 }
1000
1001 $props['description'] = $comment;
1002 $props['user'] = $user->getId();
1003 $props['user_text'] = $user->getName();
1004 $props['timestamp'] = wfTimestamp( TS_MW, $timestamp ); // DB -> TS_MW
1005 $this->setProps( $props );
1006
1007 # Delete thumbnails
1008 $this->purgeThumbnails();
1009
1010 # The file is already on its final location, remove it from the squid cache
1011 SquidUpdate::purge( array( $this->getURL() ) );
1012
1013 # Fail now if the file isn't there
1014 if ( !$this->fileExists ) {
1015 wfDebug( __METHOD__ . ": File " . $this->getRel() . " went missing!\n" );
1016 return false;
1017 }
1018
1019 $reupload = false;
1020
1021 # Test to see if the row exists using INSERT IGNORE
1022 # This avoids race conditions by locking the row until the commit, and also
1023 # doesn't deadlock. SELECT FOR UPDATE causes a deadlock for every race condition.
1024 $dbw->insert( 'image',
1025 array(
1026 'img_name' => $this->getName(),
1027 'img_size' => $this->size,
1028 'img_width' => intval( $this->width ),
1029 'img_height' => intval( $this->height ),
1030 'img_bits' => $this->bits,
1031 'img_media_type' => $this->media_type,
1032 'img_major_mime' => $this->major_mime,
1033 'img_minor_mime' => $this->minor_mime,
1034 'img_timestamp' => $timestamp,
1035 'img_description' => $comment,
1036 'img_user' => $user->getId(),
1037 'img_user_text' => $user->getName(),
1038 'img_metadata' => $this->metadata,
1039 'img_sha1' => $this->sha1
1040 ),
1041 __METHOD__,
1042 'IGNORE'
1043 );
1044
1045 if ( $dbw->affectedRows() == 0 ) {
1046 # (bug 34993) Note: $oldver can be empty here, if the previous
1047 # version of the file was broken. Allow registration of the new
1048 # version to continue anyway, because that's better than having
1049 # an image that's not fixable by user operations.
1050
1051 $reupload = true;
1052 # Collision, this is an update of a file
1053 # Insert previous contents into oldimage
1054 $dbw->insertSelect( 'oldimage', 'image',
1055 array(
1056 'oi_name' => 'img_name',
1057 'oi_archive_name' => $dbw->addQuotes( $oldver ),
1058 'oi_size' => 'img_size',
1059 'oi_width' => 'img_width',
1060 'oi_height' => 'img_height',
1061 'oi_bits' => 'img_bits',
1062 'oi_timestamp' => 'img_timestamp',
1063 'oi_description' => 'img_description',
1064 'oi_user' => 'img_user',
1065 'oi_user_text' => 'img_user_text',
1066 'oi_metadata' => 'img_metadata',
1067 'oi_media_type' => 'img_media_type',
1068 'oi_major_mime' => 'img_major_mime',
1069 'oi_minor_mime' => 'img_minor_mime',
1070 'oi_sha1' => 'img_sha1'
1071 ),
1072 array( 'img_name' => $this->getName() ),
1073 __METHOD__
1074 );
1075
1076 # Update the current image row
1077 $dbw->update( 'image',
1078 array( /* SET */
1079 'img_size' => $this->size,
1080 'img_width' => intval( $this->width ),
1081 'img_height' => intval( $this->height ),
1082 'img_bits' => $this->bits,
1083 'img_media_type' => $this->media_type,
1084 'img_major_mime' => $this->major_mime,
1085 'img_minor_mime' => $this->minor_mime,
1086 'img_timestamp' => $timestamp,
1087 'img_description' => $comment,
1088 'img_user' => $user->getId(),
1089 'img_user_text' => $user->getName(),
1090 'img_metadata' => $this->metadata,
1091 'img_sha1' => $this->sha1
1092 ),
1093 array( 'img_name' => $this->getName() ),
1094 __METHOD__
1095 );
1096 } else {
1097 # This is a new file
1098 # Update the image count
1099 $dbw->begin( __METHOD__ );
1100 $dbw->update(
1101 'site_stats',
1102 array( 'ss_images = ss_images+1' ),
1103 '*',
1104 __METHOD__
1105 );
1106 $dbw->commit( __METHOD__ );
1107 }
1108
1109 $descTitle = $this->getTitle();
1110 $wikiPage = new WikiFilePage( $descTitle );
1111 $wikiPage->setFile( $this );
1112
1113 # Add the log entry
1114 $log = new LogPage( 'upload' );
1115 $action = $reupload ? 'overwrite' : 'upload';
1116 $log->addEntry( $action, $descTitle, $comment, array(), $user );
1117
1118 if ( $descTitle->exists() ) {
1119 # Create a null revision
1120 $latest = $descTitle->getLatestRevID();
1121 $nullRevision = Revision::newNullRevision(
1122 $dbw,
1123 $descTitle->getArticleID(),
1124 $log->getRcComment(),
1125 false
1126 );
1127 if (!is_null($nullRevision)) {
1128 $nullRevision->insertOn( $dbw );
1129
1130 wfRunHooks( 'NewRevisionFromEditComplete', array( $wikiPage, $nullRevision, $latest, $user ) );
1131 $wikiPage->updateRevisionOn( $dbw, $nullRevision );
1132 }
1133 # Invalidate the cache for the description page
1134 $descTitle->invalidateCache();
1135 $descTitle->purgeSquid();
1136 } else {
1137 # New file; create the description page.
1138 # There's already a log entry, so don't make a second RC entry
1139 # Squid and file cache for the description page are purged by doEdit.
1140 $wikiPage->doEdit( $pageText, $comment, EDIT_NEW | EDIT_SUPPRESS_RC, false, $user );
1141 }
1142
1143 # Commit the transaction now, in case something goes wrong later
1144 # The most important thing is that files don't get lost, especially archives
1145 $dbw->commit( __METHOD__ );
1146
1147 # Save to cache and purge the squid
1148 # We shall not saveToCache before the commit since otherwise
1149 # in case of a rollback there is an usable file from memcached
1150 # which in fact doesn't really exist (bug 24978)
1151 $this->saveToCache();
1152
1153 # Hooks, hooks, the magic of hooks...
1154 wfRunHooks( 'FileUpload', array( $this, $reupload, $descTitle->exists() ) );
1155
1156 # Invalidate cache for all pages using this file
1157 $update = new HTMLCacheUpdate( $this->getTitle(), 'imagelinks' );
1158 $update->doUpdate();
1159
1160 # Invalidate cache for all pages that redirects on this page
1161 $redirs = $this->getTitle()->getRedirectsHere();
1162
1163 foreach ( $redirs as $redir ) {
1164 $update = new HTMLCacheUpdate( $redir, 'imagelinks' );
1165 $update->doUpdate();
1166 }
1167
1168 return true;
1169 }
1170
1171 /**
1172 * Move or copy a file to its public location. If a file exists at the
1173 * destination, move it to an archive. Returns a FileRepoStatus object with
1174 * the archive name in the "value" member on success.
1175 *
1176 * The archive name should be passed through to recordUpload for database
1177 * registration.
1178 *
1179 * @param $srcPath String: local filesystem path to the source image
1180 * @param $flags Integer: a bitwise combination of:
1181 * File::DELETE_SOURCE Delete the source file, i.e. move rather than copy
1182 * @return FileRepoStatus object. On success, the value member contains the
1183 * archive name, or an empty string if it was a new file.
1184 */
1185 function publish( $srcPath, $flags = 0 ) {
1186 return $this->publishTo( $srcPath, $this->getRel(), $flags );
1187 }
1188
1189 /**
1190 * Move or copy a file to a specified location. Returns a FileRepoStatus
1191 * object with the archive name in the "value" member on success.
1192 *
1193 * The archive name should be passed through to recordUpload for database
1194 * registration.
1195 *
1196 * @param $srcPath String: local filesystem path to the source image
1197 * @param $dstRel String: target relative path
1198 * @param $flags Integer: a bitwise combination of:
1199 * File::DELETE_SOURCE Delete the source file, i.e. move rather than copy
1200 * @return FileRepoStatus object. On success, the value member contains the
1201 * archive name, or an empty string if it was a new file.
1202 */
1203 function publishTo( $srcPath, $dstRel, $flags = 0 ) {
1204 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
1205 return $this->readOnlyFatalStatus();
1206 }
1207
1208 $this->lock(); // begin
1209
1210 $archiveName = wfTimestamp( TS_MW ) . '!'. $this->getName();
1211 $archiveRel = 'archive/' . $this->getHashPath() . $archiveName;
1212 $flags = $flags & File::DELETE_SOURCE ? LocalRepo::DELETE_SOURCE : 0;
1213 $status = $this->repo->publish( $srcPath, $dstRel, $archiveRel, $flags );
1214
1215 if ( $status->value == 'new' ) {
1216 $status->value = '';
1217 } else {
1218 $status->value = $archiveName;
1219 }
1220
1221 $this->unlock(); // done
1222
1223 return $status;
1224 }
1225
1226 /** getLinksTo inherited */
1227 /** getExifData inherited */
1228 /** isLocal inherited */
1229 /** wasDeleted inherited */
1230
1231 /**
1232 * Move file to the new title
1233 *
1234 * Move current, old version and all thumbnails
1235 * to the new filename. Old file is deleted.
1236 *
1237 * Cache purging is done; checks for validity
1238 * and logging are caller's responsibility
1239 *
1240 * @param $target Title New file name
1241 * @return FileRepoStatus object.
1242 */
1243 function move( $target ) {
1244 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
1245 return $this->readOnlyFatalStatus();
1246 }
1247
1248 wfDebugLog( 'imagemove', "Got request to move {$this->name} to " . $target->getText() );
1249 $this->lock(); // begin
1250
1251 $batch = new LocalFileMoveBatch( $this, $target );
1252 $batch->addCurrent();
1253 $batch->addOlds();
1254
1255 $status = $batch->execute();
1256 wfDebugLog( 'imagemove', "Finished moving {$this->name}" );
1257
1258 $this->purgeEverything();
1259 $this->unlock(); // done
1260
1261 if ( $status->isOk() ) {
1262 // Now switch the object
1263 $this->title = $target;
1264 // Force regeneration of the name and hashpath
1265 unset( $this->name );
1266 unset( $this->hashPath );
1267 // Purge the new image
1268 $this->purgeEverything();
1269 }
1270
1271 return $status;
1272 }
1273
1274 /**
1275 * Delete all versions of the file.
1276 *
1277 * Moves the files into an archive directory (or deletes them)
1278 * and removes the database rows.
1279 *
1280 * Cache purging is done; logging is caller's responsibility.
1281 *
1282 * @param $reason
1283 * @param $suppress
1284 * @return FileRepoStatus object.
1285 */
1286 function delete( $reason, $suppress = false ) {
1287 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
1288 return $this->readOnlyFatalStatus();
1289 }
1290
1291 $this->lock(); // begin
1292
1293 $batch = new LocalFileDeleteBatch( $this, $reason, $suppress );
1294 $batch->addCurrent();
1295
1296 # Get old version relative paths
1297 $dbw = $this->repo->getMasterDB();
1298 $result = $dbw->select( 'oldimage',
1299 array( 'oi_archive_name' ),
1300 array( 'oi_name' => $this->getName() ) );
1301 foreach ( $result as $row ) {
1302 $batch->addOld( $row->oi_archive_name );
1303 $this->purgeOldThumbnails( $row->oi_archive_name );
1304 }
1305 $status = $batch->execute();
1306
1307 if ( $status->isOK() ) {
1308 // Update site_stats
1309 $site_stats = $dbw->tableName( 'site_stats' );
1310 $dbw->query( "UPDATE $site_stats SET ss_images=ss_images-1", __METHOD__ );
1311 $this->purgeEverything();
1312 }
1313
1314 $this->unlock(); // done
1315
1316 return $status;
1317 }
1318
1319 /**
1320 * Delete an old version of the file.
1321 *
1322 * Moves the file into an archive directory (or deletes it)
1323 * and removes the database row.
1324 *
1325 * Cache purging is done; logging is caller's responsibility.
1326 *
1327 * @param $archiveName String
1328 * @param $reason String
1329 * @param $suppress Boolean
1330 * @throws MWException or FSException on database or file store failure
1331 * @return FileRepoStatus object.
1332 */
1333 function deleteOld( $archiveName, $reason, $suppress = false ) {
1334 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
1335 return $this->readOnlyFatalStatus();
1336 }
1337
1338 $this->lock(); // begin
1339
1340 $batch = new LocalFileDeleteBatch( $this, $reason, $suppress );
1341 $batch->addOld( $archiveName );
1342 $this->purgeOldThumbnails( $archiveName );
1343 $status = $batch->execute();
1344
1345 $this->unlock(); // done
1346
1347 if ( $status->isOK() ) {
1348 $this->purgeDescription();
1349 $this->purgeHistory();
1350 }
1351
1352 return $status;
1353 }
1354
1355 /**
1356 * Restore all or specified deleted revisions to the given file.
1357 * Permissions and logging are left to the caller.
1358 *
1359 * May throw database exceptions on error.
1360 *
1361 * @param $versions array set of record ids of deleted items to restore,
1362 * or empty to restore all revisions.
1363 * @param $unsuppress Boolean
1364 * @return FileRepoStatus
1365 */
1366 function restore( $versions = array(), $unsuppress = false ) {
1367 if ( $this->getRepo()->getReadOnlyReason() !== false ) {
1368 return $this->readOnlyFatalStatus();
1369 }
1370
1371 $this->lock(); // begin
1372
1373 $batch = new LocalFileRestoreBatch( $this, $unsuppress );
1374
1375 if ( !$versions ) {
1376 $batch->addAll();
1377 } else {
1378 $batch->addIds( $versions );
1379 }
1380
1381 $status = $batch->execute();
1382
1383 if ( $status->isGood() ) {
1384 $cleanupStatus = $batch->cleanup();
1385 $cleanupStatus->successCount = 0;
1386 $cleanupStatus->failCount = 0;
1387 $status->merge( $cleanupStatus );
1388 }
1389
1390 $this->unlock(); // done
1391
1392 return $status;
1393 }
1394
1395 /** isMultipage inherited */
1396 /** pageCount inherited */
1397 /** scaleHeight inherited */
1398 /** getImageSize inherited */
1399
1400 /**
1401 * Get the URL of the file description page.
1402 * @return String
1403 */
1404 function getDescriptionUrl() {
1405 return $this->title->getLocalUrl();
1406 }
1407
1408 /**
1409 * Get the HTML text of the description page
1410 * This is not used by ImagePage for local files, since (among other things)
1411 * it skips the parser cache.
1412 * @return bool|mixed
1413 */
1414 function getDescriptionText() {
1415 global $wgParser;
1416 $revision = Revision::newFromTitle( $this->title );
1417 if ( !$revision ) return false;
1418 $text = $revision->getText();
1419 if ( !$text ) return false;
1420 $pout = $wgParser->parse( $text, $this->title, new ParserOptions() );
1421 return $pout->getText();
1422 }
1423
1424 function getDescription() {
1425 $this->load();
1426 return $this->description;
1427 }
1428
1429 function getTimestamp() {
1430 $this->load();
1431 return $this->timestamp;
1432 }
1433
1434 function getSha1() {
1435 $this->load();
1436 // Initialise now if necessary
1437 if ( $this->sha1 == '' && $this->fileExists ) {
1438 $this->lock(); // begin
1439
1440 $this->sha1 = $this->repo->getFileSha1( $this->getPath() );
1441 if ( !wfReadOnly() && strval( $this->sha1 ) != '' ) {
1442 $dbw = $this->repo->getMasterDB();
1443 $dbw->update( 'image',
1444 array( 'img_sha1' => $this->sha1 ),
1445 array( 'img_name' => $this->getName() ),
1446 __METHOD__ );
1447 $this->saveToCache();
1448 }
1449
1450 $this->unlock(); // done
1451 }
1452
1453 return $this->sha1;
1454 }
1455
1456 function isCacheable() {
1457 $this->load();
1458 return strlen( $this->metadata ) <= self::CACHE_FIELD_MAX_LEN; // avoid OOMs
1459 }
1460
1461 /**
1462 * Start a transaction and lock the image for update
1463 * Increments a reference counter if the lock is already held
1464 * @return boolean True if the image exists, false otherwise
1465 */
1466 function lock() {
1467 $dbw = $this->repo->getMasterDB();
1468
1469 if ( !$this->locked ) {
1470 $dbw->begin( __METHOD__ );
1471 $this->locked++;
1472 }
1473
1474 return $dbw->selectField( 'image', '1',
1475 array( 'img_name' => $this->getName() ), __METHOD__, array( 'FOR UPDATE' ) );
1476 }
1477
1478 /**
1479 * Decrement the lock reference count. If the reference count is reduced to zero, commits
1480 * the transaction and thereby releases the image lock.
1481 */
1482 function unlock() {
1483 if ( $this->locked ) {
1484 --$this->locked;
1485 if ( !$this->locked ) {
1486 $dbw = $this->repo->getMasterDB();
1487 $dbw->commit( __METHOD__ );
1488 }
1489 }
1490 }
1491
1492 /**
1493 * Roll back the DB transaction and mark the image unlocked
1494 */
1495 function unlockAndRollback() {
1496 $this->locked = false;
1497 $dbw = $this->repo->getMasterDB();
1498 $dbw->rollback( __METHOD__ );
1499 }
1500
1501 /**
1502 * @return Status
1503 */
1504 protected function readOnlyFatalStatus() {
1505 return $this->getRepo()->newFatal( 'filereadonlyerror', $this->getName(),
1506 $this->getRepo()->getName(), $this->getRepo()->getReadOnlyReason() );
1507 }
1508 } // LocalFile class
1509
1510 # ------------------------------------------------------------------------------
1511
1512 /**
1513 * Helper class for file deletion
1514 * @ingroup FileAbstraction
1515 */
1516 class LocalFileDeleteBatch {
1517
1518 /**
1519 * @var LocalFile
1520 */
1521 var $file;
1522
1523 var $reason, $srcRels = array(), $archiveUrls = array(), $deletionBatch, $suppress;
1524 var $status;
1525
1526 function __construct( File $file, $reason = '', $suppress = false ) {
1527 $this->file = $file;
1528 $this->reason = $reason;
1529 $this->suppress = $suppress;
1530 $this->status = $file->repo->newGood();
1531 }
1532
1533 function addCurrent() {
1534 $this->srcRels['.'] = $this->file->getRel();
1535 }
1536
1537 function addOld( $oldName ) {
1538 $this->srcRels[$oldName] = $this->file->getArchiveRel( $oldName );
1539 $this->archiveUrls[] = $this->file->getArchiveUrl( $oldName );
1540 }
1541
1542 function getOldRels() {
1543 if ( !isset( $this->srcRels['.'] ) ) {
1544 $oldRels =& $this->srcRels;
1545 $deleteCurrent = false;
1546 } else {
1547 $oldRels = $this->srcRels;
1548 unset( $oldRels['.'] );
1549 $deleteCurrent = true;
1550 }
1551
1552 return array( $oldRels, $deleteCurrent );
1553 }
1554
1555 protected function getHashes() {
1556 $hashes = array();
1557 list( $oldRels, $deleteCurrent ) = $this->getOldRels();
1558
1559 if ( $deleteCurrent ) {
1560 $hashes['.'] = $this->file->getSha1();
1561 }
1562
1563 if ( count( $oldRels ) ) {
1564 $dbw = $this->file->repo->getMasterDB();
1565 $res = $dbw->select(
1566 'oldimage',
1567 array( 'oi_archive_name', 'oi_sha1' ),
1568 'oi_archive_name IN (' . $dbw->makeList( array_keys( $oldRels ) ) . ')',
1569 __METHOD__
1570 );
1571
1572 foreach ( $res as $row ) {
1573 if ( rtrim( $row->oi_sha1, "\0" ) === '' ) {
1574 // Get the hash from the file
1575 $oldUrl = $this->file->getArchiveVirtualUrl( $row->oi_archive_name );
1576 $props = $this->file->repo->getFileProps( $oldUrl );
1577
1578 if ( $props['fileExists'] ) {
1579 // Upgrade the oldimage row
1580 $dbw->update( 'oldimage',
1581 array( 'oi_sha1' => $props['sha1'] ),
1582 array( 'oi_name' => $this->file->getName(), 'oi_archive_name' => $row->oi_archive_name ),
1583 __METHOD__ );
1584 $hashes[$row->oi_archive_name] = $props['sha1'];
1585 } else {
1586 $hashes[$row->oi_archive_name] = false;
1587 }
1588 } else {
1589 $hashes[$row->oi_archive_name] = $row->oi_sha1;
1590 }
1591 }
1592 }
1593
1594 $missing = array_diff_key( $this->srcRels, $hashes );
1595
1596 foreach ( $missing as $name => $rel ) {
1597 $this->status->error( 'filedelete-old-unregistered', $name );
1598 }
1599
1600 foreach ( $hashes as $name => $hash ) {
1601 if ( !$hash ) {
1602 $this->status->error( 'filedelete-missing', $this->srcRels[$name] );
1603 unset( $hashes[$name] );
1604 }
1605 }
1606
1607 return $hashes;
1608 }
1609
1610 function doDBInserts() {
1611 global $wgUser;
1612
1613 $dbw = $this->file->repo->getMasterDB();
1614 $encTimestamp = $dbw->addQuotes( $dbw->timestamp() );
1615 $encUserId = $dbw->addQuotes( $wgUser->getId() );
1616 $encReason = $dbw->addQuotes( $this->reason );
1617 $encGroup = $dbw->addQuotes( 'deleted' );
1618 $ext = $this->file->getExtension();
1619 $dotExt = $ext === '' ? '' : ".$ext";
1620 $encExt = $dbw->addQuotes( $dotExt );
1621 list( $oldRels, $deleteCurrent ) = $this->getOldRels();
1622
1623 // Bitfields to further suppress the content
1624 if ( $this->suppress ) {
1625 $bitfield = 0;
1626 // This should be 15...
1627 $bitfield |= Revision::DELETED_TEXT;
1628 $bitfield |= Revision::DELETED_COMMENT;
1629 $bitfield |= Revision::DELETED_USER;
1630 $bitfield |= Revision::DELETED_RESTRICTED;
1631 } else {
1632 $bitfield = 'oi_deleted';
1633 }
1634
1635 if ( $deleteCurrent ) {
1636 $concat = $dbw->buildConcat( array( "img_sha1", $encExt ) );
1637 $where = array( 'img_name' => $this->file->getName() );
1638 $dbw->insertSelect( 'filearchive', 'image',
1639 array(
1640 'fa_storage_group' => $encGroup,
1641 'fa_storage_key' => "CASE WHEN img_sha1='' THEN '' ELSE $concat END",
1642 'fa_deleted_user' => $encUserId,
1643 'fa_deleted_timestamp' => $encTimestamp,
1644 'fa_deleted_reason' => $encReason,
1645 'fa_deleted' => $this->suppress ? $bitfield : 0,
1646
1647 'fa_name' => 'img_name',
1648 'fa_archive_name' => 'NULL',
1649 'fa_size' => 'img_size',
1650 'fa_width' => 'img_width',
1651 'fa_height' => 'img_height',
1652 'fa_metadata' => 'img_metadata',
1653 'fa_bits' => 'img_bits',
1654 'fa_media_type' => 'img_media_type',
1655 'fa_major_mime' => 'img_major_mime',
1656 'fa_minor_mime' => 'img_minor_mime',
1657 'fa_description' => 'img_description',
1658 'fa_user' => 'img_user',
1659 'fa_user_text' => 'img_user_text',
1660 'fa_timestamp' => 'img_timestamp'
1661 ), $where, __METHOD__ );
1662 }
1663
1664 if ( count( $oldRels ) ) {
1665 $concat = $dbw->buildConcat( array( "oi_sha1", $encExt ) );
1666 $where = array(
1667 'oi_name' => $this->file->getName(),
1668 'oi_archive_name IN (' . $dbw->makeList( array_keys( $oldRels ) ) . ')' );
1669 $dbw->insertSelect( 'filearchive', 'oldimage',
1670 array(
1671 'fa_storage_group' => $encGroup,
1672 'fa_storage_key' => "CASE WHEN oi_sha1='' THEN '' ELSE $concat END",
1673 'fa_deleted_user' => $encUserId,
1674 'fa_deleted_timestamp' => $encTimestamp,
1675 'fa_deleted_reason' => $encReason,
1676 'fa_deleted' => $this->suppress ? $bitfield : 'oi_deleted',
1677
1678 'fa_name' => 'oi_name',
1679 'fa_archive_name' => 'oi_archive_name',
1680 'fa_size' => 'oi_size',
1681 'fa_width' => 'oi_width',
1682 'fa_height' => 'oi_height',
1683 'fa_metadata' => 'oi_metadata',
1684 'fa_bits' => 'oi_bits',
1685 'fa_media_type' => 'oi_media_type',
1686 'fa_major_mime' => 'oi_major_mime',
1687 'fa_minor_mime' => 'oi_minor_mime',
1688 'fa_description' => 'oi_description',
1689 'fa_user' => 'oi_user',
1690 'fa_user_text' => 'oi_user_text',
1691 'fa_timestamp' => 'oi_timestamp',
1692 ), $where, __METHOD__ );
1693 }
1694 }
1695
1696 function doDBDeletes() {
1697 $dbw = $this->file->repo->getMasterDB();
1698 list( $oldRels, $deleteCurrent ) = $this->getOldRels();
1699
1700 if ( count( $oldRels ) ) {
1701 $dbw->delete( 'oldimage',
1702 array(
1703 'oi_name' => $this->file->getName(),
1704 'oi_archive_name' => array_keys( $oldRels )
1705 ), __METHOD__ );
1706 }
1707
1708 if ( $deleteCurrent ) {
1709 $dbw->delete( 'image', array( 'img_name' => $this->file->getName() ), __METHOD__ );
1710 }
1711 }
1712
1713 /**
1714 * Run the transaction
1715 * @return FileRepoStatus
1716 */
1717 function execute() {
1718 global $wgUseSquid;
1719 wfProfileIn( __METHOD__ );
1720
1721 $this->file->lock();
1722 // Leave private files alone
1723 $privateFiles = array();
1724 list( $oldRels, $deleteCurrent ) = $this->getOldRels();
1725 $dbw = $this->file->repo->getMasterDB();
1726
1727 if ( !empty( $oldRels ) ) {
1728 $res = $dbw->select( 'oldimage',
1729 array( 'oi_archive_name' ),
1730 array( 'oi_name' => $this->file->getName(),
1731 'oi_archive_name IN (' . $dbw->makeList( array_keys( $oldRels ) ) . ')',
1732 $dbw->bitAnd( 'oi_deleted', File::DELETED_FILE ) => File::DELETED_FILE ),
1733 __METHOD__ );
1734
1735 foreach ( $res as $row ) {
1736 $privateFiles[$row->oi_archive_name] = 1;
1737 }
1738 }
1739 // Prepare deletion batch
1740 $hashes = $this->getHashes();
1741 $this->deletionBatch = array();
1742 $ext = $this->file->getExtension();
1743 $dotExt = $ext === '' ? '' : ".$ext";
1744
1745 foreach ( $this->srcRels as $name => $srcRel ) {
1746 // Skip files that have no hash (missing source).
1747 // Keep private files where they are.
1748 if ( isset( $hashes[$name] ) && !array_key_exists( $name, $privateFiles ) ) {
1749 $hash = $hashes[$name];
1750 $key = $hash . $dotExt;
1751 $dstRel = $this->file->repo->getDeletedHashPath( $key ) . $key;
1752 $this->deletionBatch[$name] = array( $srcRel, $dstRel );
1753 }
1754 }
1755
1756 // Lock the filearchive rows so that the files don't get deleted by a cleanup operation
1757 // We acquire this lock by running the inserts now, before the file operations.
1758 //
1759 // This potentially has poor lock contention characteristics -- an alternative
1760 // scheme would be to insert stub filearchive entries with no fa_name and commit
1761 // them in a separate transaction, then run the file ops, then update the fa_name fields.
1762 $this->doDBInserts();
1763
1764 // Removes non-existent file from the batch, so we don't get errors.
1765 $this->deletionBatch = $this->removeNonexistentFiles( $this->deletionBatch );
1766
1767 // Execute the file deletion batch
1768 $status = $this->file->repo->deleteBatch( $this->deletionBatch );
1769
1770 if ( !$status->isGood() ) {
1771 $this->status->merge( $status );
1772 }
1773
1774 if ( !$this->status->isOK() ) {
1775 // Critical file deletion error
1776 // Roll back inserts, release lock and abort
1777 // TODO: delete the defunct filearchive rows if we are using a non-transactional DB
1778 $this->file->unlockAndRollback();
1779 wfProfileOut( __METHOD__ );
1780 return $this->status;
1781 }
1782
1783 // Purge squid
1784 if ( $wgUseSquid ) {
1785 $urls = array();
1786
1787 foreach ( $this->srcRels as $srcRel ) {
1788 $urlRel = str_replace( '%2F', '/', rawurlencode( $srcRel ) );
1789 $urls[] = $this->file->repo->getZoneUrl( 'public' ) . '/' . $urlRel;
1790 }
1791 SquidUpdate::purge( $urls );
1792 }
1793
1794 // Delete image/oldimage rows
1795 $this->doDBDeletes();
1796
1797 // Commit and return
1798 $this->file->unlock();
1799 wfProfileOut( __METHOD__ );
1800
1801 return $this->status;
1802 }
1803
1804 /**
1805 * Removes non-existent files from a deletion batch.
1806 * @return array
1807 */
1808 function removeNonexistentFiles( $batch ) {
1809 $files = $newBatch = array();
1810
1811 foreach ( $batch as $batchItem ) {
1812 list( $src, $dest ) = $batchItem;
1813 $files[$src] = $this->file->repo->getVirtualUrl( 'public' ) . '/' . rawurlencode( $src );
1814 }
1815
1816 $result = $this->file->repo->fileExistsBatch( $files );
1817
1818 foreach ( $batch as $batchItem ) {
1819 if ( $result[$batchItem[0]] ) {
1820 $newBatch[] = $batchItem;
1821 }
1822 }
1823
1824 return $newBatch;
1825 }
1826 }
1827
1828 # ------------------------------------------------------------------------------
1829
1830 /**
1831 * Helper class for file undeletion
1832 * @ingroup FileAbstraction
1833 */
1834 class LocalFileRestoreBatch {
1835 /**
1836 * @var LocalFile
1837 */
1838 var $file;
1839
1840 var $cleanupBatch, $ids, $all, $unsuppress = false;
1841
1842 function __construct( File $file, $unsuppress = false ) {
1843 $this->file = $file;
1844 $this->cleanupBatch = $this->ids = array();
1845 $this->ids = array();
1846 $this->unsuppress = $unsuppress;
1847 }
1848
1849 /**
1850 * Add a file by ID
1851 */
1852 function addId( $fa_id ) {
1853 $this->ids[] = $fa_id;
1854 }
1855
1856 /**
1857 * Add a whole lot of files by ID
1858 */
1859 function addIds( $ids ) {
1860 $this->ids = array_merge( $this->ids, $ids );
1861 }
1862
1863 /**
1864 * Add all revisions of the file
1865 */
1866 function addAll() {
1867 $this->all = true;
1868 }
1869
1870 /**
1871 * Run the transaction, except the cleanup batch.
1872 * The cleanup batch should be run in a separate transaction, because it locks different
1873 * rows and there's no need to keep the image row locked while it's acquiring those locks
1874 * The caller may have its own transaction open.
1875 * So we save the batch and let the caller call cleanup()
1876 * @return FileRepoStatus
1877 */
1878 function execute() {
1879 global $wgLang;
1880
1881 if ( !$this->all && !$this->ids ) {
1882 // Do nothing
1883 return $this->file->repo->newGood();
1884 }
1885
1886 $exists = $this->file->lock();
1887 $dbw = $this->file->repo->getMasterDB();
1888 $status = $this->file->repo->newGood();
1889
1890 // Fetch all or selected archived revisions for the file,
1891 // sorted from the most recent to the oldest.
1892 $conditions = array( 'fa_name' => $this->file->getName() );
1893
1894 if ( !$this->all ) {
1895 $conditions[] = 'fa_id IN (' . $dbw->makeList( $this->ids ) . ')';
1896 }
1897
1898 $result = $dbw->select( 'filearchive', '*',
1899 $conditions,
1900 __METHOD__,
1901 array( 'ORDER BY' => 'fa_timestamp DESC' )
1902 );
1903
1904 $idsPresent = array();
1905 $storeBatch = array();
1906 $insertBatch = array();
1907 $insertCurrent = false;
1908 $deleteIds = array();
1909 $first = true;
1910 $archiveNames = array();
1911
1912 foreach ( $result as $row ) {
1913 $idsPresent[] = $row->fa_id;
1914
1915 if ( $row->fa_name != $this->file->getName() ) {
1916 $status->error( 'undelete-filename-mismatch', $wgLang->timeanddate( $row->fa_timestamp ) );
1917 $status->failCount++;
1918 continue;
1919 }
1920
1921 if ( $row->fa_storage_key == '' ) {
1922 // Revision was missing pre-deletion
1923 $status->error( 'undelete-bad-store-key', $wgLang->timeanddate( $row->fa_timestamp ) );
1924 $status->failCount++;
1925 continue;
1926 }
1927
1928 $deletedRel = $this->file->repo->getDeletedHashPath( $row->fa_storage_key ) . $row->fa_storage_key;
1929 $deletedUrl = $this->file->repo->getVirtualUrl() . '/deleted/' . $deletedRel;
1930
1931 $sha1 = substr( $row->fa_storage_key, 0, strcspn( $row->fa_storage_key, '.' ) );
1932
1933 # Fix leading zero
1934 if ( strlen( $sha1 ) == 32 && $sha1[0] == '0' ) {
1935 $sha1 = substr( $sha1, 1 );
1936 }
1937
1938 if ( is_null( $row->fa_major_mime ) || $row->fa_major_mime == 'unknown'
1939 || is_null( $row->fa_minor_mime ) || $row->fa_minor_mime == 'unknown'
1940 || is_null( $row->fa_media_type ) || $row->fa_media_type == 'UNKNOWN'
1941 || is_null( $row->fa_metadata ) ) {
1942 // Refresh our metadata
1943 // Required for a new current revision; nice for older ones too. :)
1944 $props = RepoGroup::singleton()->getFileProps( $deletedUrl );
1945 } else {
1946 $props = array(
1947 'minor_mime' => $row->fa_minor_mime,
1948 'major_mime' => $row->fa_major_mime,
1949 'media_type' => $row->fa_media_type,
1950 'metadata' => $row->fa_metadata
1951 );
1952 }
1953
1954 if ( $first && !$exists ) {
1955 // This revision will be published as the new current version
1956 $destRel = $this->file->getRel();
1957 $insertCurrent = array(
1958 'img_name' => $row->fa_name,
1959 'img_size' => $row->fa_size,
1960 'img_width' => $row->fa_width,
1961 'img_height' => $row->fa_height,
1962 'img_metadata' => $props['metadata'],
1963 'img_bits' => $row->fa_bits,
1964 'img_media_type' => $props['media_type'],
1965 'img_major_mime' => $props['major_mime'],
1966 'img_minor_mime' => $props['minor_mime'],
1967 'img_description' => $row->fa_description,
1968 'img_user' => $row->fa_user,
1969 'img_user_text' => $row->fa_user_text,
1970 'img_timestamp' => $row->fa_timestamp,
1971 'img_sha1' => $sha1
1972 );
1973
1974 // The live (current) version cannot be hidden!
1975 if ( !$this->unsuppress && $row->fa_deleted ) {
1976 $storeBatch[] = array( $deletedUrl, 'public', $destRel );
1977 $this->cleanupBatch[] = $row->fa_storage_key;
1978 }
1979 } else {
1980 $archiveName = $row->fa_archive_name;
1981
1982 if ( $archiveName == '' ) {
1983 // This was originally a current version; we
1984 // have to devise a new archive name for it.
1985 // Format is <timestamp of archiving>!<name>
1986 $timestamp = wfTimestamp( TS_UNIX, $row->fa_deleted_timestamp );
1987
1988 do {
1989 $archiveName = wfTimestamp( TS_MW, $timestamp ) . '!' . $row->fa_name;
1990 $timestamp++;
1991 } while ( isset( $archiveNames[$archiveName] ) );
1992 }
1993
1994 $archiveNames[$archiveName] = true;
1995 $destRel = $this->file->getArchiveRel( $archiveName );
1996 $insertBatch[] = array(
1997 'oi_name' => $row->fa_name,
1998 'oi_archive_name' => $archiveName,
1999 'oi_size' => $row->fa_size,
2000 'oi_width' => $row->fa_width,
2001 'oi_height' => $row->fa_height,
2002 'oi_bits' => $row->fa_bits,
2003 'oi_description' => $row->fa_description,
2004 'oi_user' => $row->fa_user,
2005 'oi_user_text' => $row->fa_user_text,
2006 'oi_timestamp' => $row->fa_timestamp,
2007 'oi_metadata' => $props['metadata'],
2008 'oi_media_type' => $props['media_type'],
2009 'oi_major_mime' => $props['major_mime'],
2010 'oi_minor_mime' => $props['minor_mime'],
2011 'oi_deleted' => $this->unsuppress ? 0 : $row->fa_deleted,
2012 'oi_sha1' => $sha1 );
2013 }
2014
2015 $deleteIds[] = $row->fa_id;
2016
2017 if ( !$this->unsuppress && $row->fa_deleted & File::DELETED_FILE ) {
2018 // private files can stay where they are
2019 $status->successCount++;
2020 } else {
2021 $storeBatch[] = array( $deletedUrl, 'public', $destRel );
2022 $this->cleanupBatch[] = $row->fa_storage_key;
2023 }
2024
2025 $first = false;
2026 }
2027
2028 unset( $result );
2029
2030 // Add a warning to the status object for missing IDs
2031 $missingIds = array_diff( $this->ids, $idsPresent );
2032
2033 foreach ( $missingIds as $id ) {
2034 $status->error( 'undelete-missing-filearchive', $id );
2035 }
2036
2037 // Remove missing files from batch, so we don't get errors when undeleting them
2038 $storeBatch = $this->removeNonexistentFiles( $storeBatch );
2039
2040 // Run the store batch
2041 // Use the OVERWRITE_SAME flag to smooth over a common error
2042 $storeStatus = $this->file->repo->storeBatch( $storeBatch, FileRepo::OVERWRITE_SAME );
2043 $status->merge( $storeStatus );
2044
2045 if ( !$status->isGood() ) {
2046 // Even if some files could be copied, fail entirely as that is the
2047 // easiest thing to do without data loss
2048 $this->cleanupFailedBatch( $storeStatus, $storeBatch );
2049 $status->ok = false;
2050 $this->file->unlock();
2051
2052 return $status;
2053 }
2054
2055 // Run the DB updates
2056 // Because we have locked the image row, key conflicts should be rare.
2057 // If they do occur, we can roll back the transaction at this time with
2058 // no data loss, but leaving unregistered files scattered throughout the
2059 // public zone.
2060 // This is not ideal, which is why it's important to lock the image row.
2061 if ( $insertCurrent ) {
2062 $dbw->insert( 'image', $insertCurrent, __METHOD__ );
2063 }
2064
2065 if ( $insertBatch ) {
2066 $dbw->insert( 'oldimage', $insertBatch, __METHOD__ );
2067 }
2068
2069 if ( $deleteIds ) {
2070 $dbw->delete( 'filearchive',
2071 array( 'fa_id IN (' . $dbw->makeList( $deleteIds ) . ')' ),
2072 __METHOD__ );
2073 }
2074
2075 // If store batch is empty (all files are missing), deletion is to be considered successful
2076 if ( $status->successCount > 0 || !$storeBatch ) {
2077 if ( !$exists ) {
2078 wfDebug( __METHOD__ . " restored {$status->successCount} items, creating a new current\n" );
2079
2080 // Update site_stats
2081 $site_stats = $dbw->tableName( 'site_stats' );
2082 $dbw->query( "UPDATE $site_stats SET ss_images=ss_images+1", __METHOD__ );
2083
2084 $this->file->purgeEverything();
2085 } else {
2086 wfDebug( __METHOD__ . " restored {$status->successCount} as archived versions\n" );
2087 $this->file->purgeDescription();
2088 $this->file->purgeHistory();
2089 }
2090 }
2091
2092 $this->file->unlock();
2093
2094 return $status;
2095 }
2096
2097 /**
2098 * Removes non-existent files from a store batch.
2099 * @return array
2100 */
2101 function removeNonexistentFiles( $triplets ) {
2102 $files = $filteredTriplets = array();
2103 foreach ( $triplets as $file )
2104 $files[$file[0]] = $file[0];
2105
2106 $result = $this->file->repo->fileExistsBatch( $files );
2107
2108 foreach ( $triplets as $file ) {
2109 if ( $result[$file[0]] ) {
2110 $filteredTriplets[] = $file;
2111 }
2112 }
2113
2114 return $filteredTriplets;
2115 }
2116
2117 /**
2118 * Removes non-existent files from a cleanup batch.
2119 * @return array
2120 */
2121 function removeNonexistentFromCleanup( $batch ) {
2122 $files = $newBatch = array();
2123 $repo = $this->file->repo;
2124
2125 foreach ( $batch as $file ) {
2126 $files[$file] = $repo->getVirtualUrl( 'deleted' ) . '/' .
2127 rawurlencode( $repo->getDeletedHashPath( $file ) . $file );
2128 }
2129
2130 $result = $repo->fileExistsBatch( $files );
2131
2132 foreach ( $batch as $file ) {
2133 if ( $result[$file] ) {
2134 $newBatch[] = $file;
2135 }
2136 }
2137
2138 return $newBatch;
2139 }
2140
2141 /**
2142 * Delete unused files in the deleted zone.
2143 * This should be called from outside the transaction in which execute() was called.
2144 * @return FileRepoStatus|void
2145 */
2146 function cleanup() {
2147 if ( !$this->cleanupBatch ) {
2148 return $this->file->repo->newGood();
2149 }
2150
2151 $this->cleanupBatch = $this->removeNonexistentFromCleanup( $this->cleanupBatch );
2152
2153 $status = $this->file->repo->cleanupDeletedBatch( $this->cleanupBatch );
2154
2155 return $status;
2156 }
2157
2158 /**
2159 * Cleanup a failed batch. The batch was only partially successful, so
2160 * rollback by removing all items that were succesfully copied.
2161 *
2162 * @param Status $storeStatus
2163 * @param array $storeBatch
2164 */
2165 function cleanupFailedBatch( $storeStatus, $storeBatch ) {
2166 $cleanupBatch = array();
2167
2168 foreach ( $storeStatus->success as $i => $success ) {
2169 // Check if this item of the batch was successfully copied
2170 if ( $success ) {
2171 // Item was successfully copied and needs to be removed again
2172 // Extract ($dstZone, $dstRel) from the batch
2173 $cleanupBatch[] = array( $storeBatch[$i][1], $storeBatch[$i][2] );
2174 }
2175 }
2176 $this->file->repo->cleanupBatch( $cleanupBatch );
2177 }
2178 }
2179
2180 # ------------------------------------------------------------------------------
2181
2182 /**
2183 * Helper class for file movement
2184 * @ingroup FileAbstraction
2185 */
2186 class LocalFileMoveBatch {
2187
2188 /**
2189 * @var File
2190 */
2191 var $file;
2192
2193 /**
2194 * @var Title
2195 */
2196 var $target;
2197
2198 var $cur, $olds, $oldCount, $archive, $db;
2199
2200 function __construct( File $file, Title $target ) {
2201 $this->file = $file;
2202 $this->target = $target;
2203 $this->oldHash = $this->file->repo->getHashPath( $this->file->getName() );
2204 $this->newHash = $this->file->repo->getHashPath( $this->target->getDBkey() );
2205 $this->oldName = $this->file->getName();
2206 $this->newName = $this->file->repo->getNameFromTitle( $this->target );
2207 $this->oldRel = $this->oldHash . $this->oldName;
2208 $this->newRel = $this->newHash . $this->newName;
2209 $this->db = $file->repo->getMasterDb();
2210 }
2211
2212 /**
2213 * Add the current image to the batch
2214 */
2215 function addCurrent() {
2216 $this->cur = array( $this->oldRel, $this->newRel );
2217 }
2218
2219 /**
2220 * Add the old versions of the image to the batch
2221 */
2222 function addOlds() {
2223 $archiveBase = 'archive';
2224 $this->olds = array();
2225 $this->oldCount = 0;
2226
2227 $result = $this->db->select( 'oldimage',
2228 array( 'oi_archive_name', 'oi_deleted' ),
2229 array( 'oi_name' => $this->oldName ),
2230 __METHOD__
2231 );
2232
2233 foreach ( $result as $row ) {
2234 $oldName = $row->oi_archive_name;
2235 $bits = explode( '!', $oldName, 2 );
2236
2237 if ( count( $bits ) != 2 ) {
2238 wfDebug( "Old file name missing !: '$oldName' \n" );
2239 continue;
2240 }
2241
2242 list( $timestamp, $filename ) = $bits;
2243
2244 if ( $this->oldName != $filename ) {
2245 wfDebug( "Old file name doesn't match: '$oldName' \n" );
2246 continue;
2247 }
2248
2249 $this->oldCount++;
2250
2251 // Do we want to add those to oldCount?
2252 if ( $row->oi_deleted & File::DELETED_FILE ) {
2253 continue;
2254 }
2255
2256 $this->olds[] = array(
2257 "{$archiveBase}/{$this->oldHash}{$oldName}",
2258 "{$archiveBase}/{$this->newHash}{$timestamp}!{$this->newName}"
2259 );
2260 }
2261 }
2262
2263 /**
2264 * Perform the move.
2265 * @return FileRepoStatus
2266 */
2267 function execute() {
2268 $repo = $this->file->repo;
2269 $status = $repo->newGood();
2270 $triplets = $this->getMoveTriplets();
2271
2272 $triplets = $this->removeNonexistentFiles( $triplets );
2273
2274 // Copy the files into their new location
2275 $statusMove = $repo->storeBatch( $triplets );
2276 wfDebugLog( 'imagemove', "Moved files for {$this->file->getName()}: {$statusMove->successCount} successes, {$statusMove->failCount} failures" );
2277 if ( !$statusMove->isGood() ) {
2278 wfDebugLog( 'imagemove', "Error in moving files: " . $statusMove->getWikiText() );
2279 $this->cleanupTarget( $triplets );
2280 $statusMove->ok = false;
2281 return $statusMove;
2282 }
2283
2284 $this->db->begin( __METHOD__ );
2285 $statusDb = $this->doDBUpdates();
2286 wfDebugLog( 'imagemove', "Renamed {$this->file->getName()} in database: {$statusDb->successCount} successes, {$statusDb->failCount} failures" );
2287 if ( !$statusDb->isGood() ) {
2288 $this->db->rollback( __METHOD__ );
2289 // Something went wrong with the DB updates, so remove the target files
2290 $this->cleanupTarget( $triplets );
2291 $statusDb->ok = false;
2292 return $statusDb;
2293 }
2294 $this->db->commit( __METHOD__ );
2295
2296 // Everything went ok, remove the source files
2297 $this->cleanupSource( $triplets );
2298
2299 $status->merge( $statusDb );
2300 $status->merge( $statusMove );
2301
2302 return $status;
2303 }
2304
2305 /**
2306 * Do the database updates and return a new FileRepoStatus indicating how
2307 * many rows where updated.
2308 *
2309 * @return FileRepoStatus
2310 */
2311 function doDBUpdates() {
2312 $repo = $this->file->repo;
2313 $status = $repo->newGood();
2314 $dbw = $this->db;
2315
2316 // Update current image
2317 $dbw->update(
2318 'image',
2319 array( 'img_name' => $this->newName ),
2320 array( 'img_name' => $this->oldName ),
2321 __METHOD__
2322 );
2323
2324 if ( $dbw->affectedRows() ) {
2325 $status->successCount++;
2326 } else {
2327 $status->failCount++;
2328 $status->fatal( 'imageinvalidfilename' );
2329 return $status;
2330 }
2331
2332 // Update old images
2333 $dbw->update(
2334 'oldimage',
2335 array(
2336 'oi_name' => $this->newName,
2337 'oi_archive_name = ' . $dbw->strreplace( 'oi_archive_name',
2338 $dbw->addQuotes( $this->oldName ), $dbw->addQuotes( $this->newName ) ),
2339 ),
2340 array( 'oi_name' => $this->oldName ),
2341 __METHOD__
2342 );
2343
2344 $affected = $dbw->affectedRows();
2345 $total = $this->oldCount;
2346 $status->successCount += $affected;
2347 // Bug 34934: $total is based on files that actually exist.
2348 // There may be more DB rows than such files, in which case $affected
2349 // can be greater than $total. We use max() to avoid negatives here.
2350 $status->failCount += max( 0, $total - $affected );
2351 if ( $status->failCount ) {
2352 $status->error( 'imageinvalidfilename' );
2353 }
2354
2355 return $status;
2356 }
2357
2358 /**
2359 * Generate triplets for FileRepo::storeBatch().
2360 * @return array
2361 */
2362 function getMoveTriplets() {
2363 $moves = array_merge( array( $this->cur ), $this->olds );
2364 $triplets = array(); // The format is: (srcUrl, destZone, destUrl)
2365
2366 foreach ( $moves as $move ) {
2367 // $move: (oldRelativePath, newRelativePath)
2368 $srcUrl = $this->file->repo->getVirtualUrl() . '/public/' . rawurlencode( $move[0] );
2369 $triplets[] = array( $srcUrl, 'public', $move[1] );
2370 wfDebugLog( 'imagemove', "Generated move triplet for {$this->file->getName()}: {$srcUrl} :: public :: {$move[1]}" );
2371 }
2372
2373 return $triplets;
2374 }
2375
2376 /**
2377 * Removes non-existent files from move batch.
2378 * @return array
2379 */
2380 function removeNonexistentFiles( $triplets ) {
2381 $files = array();
2382
2383 foreach ( $triplets as $file ) {
2384 $files[$file[0]] = $file[0];
2385 }
2386
2387 $result = $this->file->repo->fileExistsBatch( $files );
2388 $filteredTriplets = array();
2389
2390 foreach ( $triplets as $file ) {
2391 if ( $result[$file[0]] ) {
2392 $filteredTriplets[] = $file;
2393 } else {
2394 wfDebugLog( 'imagemove', "File {$file[0]} does not exist" );
2395 }
2396 }
2397
2398 return $filteredTriplets;
2399 }
2400
2401 /**
2402 * Cleanup a partially moved array of triplets by deleting the target
2403 * files. Called if something went wrong half way.
2404 */
2405 function cleanupTarget( $triplets ) {
2406 // Create dest pairs from the triplets
2407 $pairs = array();
2408 foreach ( $triplets as $triplet ) {
2409 $pairs[] = array( $triplet[1], $triplet[2] );
2410 }
2411
2412 $this->file->repo->cleanupBatch( $pairs );
2413 }
2414
2415 /**
2416 * Cleanup a fully moved array of triplets by deleting the source files.
2417 * Called at the end of the move process if everything else went ok.
2418 */
2419 function cleanupSource( $triplets ) {
2420 // Create source file names from the triplets
2421 $files = array();
2422 foreach ( $triplets as $triplet ) {
2423 $files[] = $triplet[0];
2424 }
2425
2426 $this->file->repo->cleanupBatch( $files );
2427 }
2428 }