Merge "Corrected grammatical error."
[lhc/web/wiklou.git] / tests / phpunit / MediaWikiTestCase.php
1 <?php
2
3 use MediaWiki\Logger\LegacySpi;
4 use MediaWiki\Logger\LoggerFactory;
5 use MediaWiki\Logger\MonologSpi;
6 use MediaWiki\Logger\LogCapturingSpi;
7 use MediaWiki\MediaWikiServices;
8 use Psr\Log\LoggerInterface;
9 use Wikimedia\Rdbms\IDatabase;
10 use Wikimedia\Rdbms\IMaintainableDatabase;
11 use Wikimedia\Rdbms\Database;
12 use Wikimedia\TestingAccessWrapper;
13
14 /**
15 * @since 1.18
16 */
17 abstract class MediaWikiTestCase extends PHPUnit\Framework\TestCase {
18
19 use MediaWikiCoversValidator;
20 use PHPUnit4And6Compat;
21
22 /**
23 * The original service locator. This is overridden during setUp().
24 *
25 * @var MediaWikiServices|null
26 */
27 private static $originalServices;
28
29 /**
30 * The local service locator, created during setUp().
31 * @var MediaWikiServices
32 */
33 private $localServices;
34
35 /**
36 * $called tracks whether the setUp and tearDown method has been called.
37 * class extending MediaWikiTestCase usually override setUp and tearDown
38 * but forget to call the parent.
39 *
40 * The array format takes a method name as key and anything as a value.
41 * By asserting the key exist, we know the child class has called the
42 * parent.
43 *
44 * This property must be private, we do not want child to override it,
45 * they should call the appropriate parent method instead.
46 */
47 private $called = [];
48
49 /**
50 * @var TestUser[]
51 * @since 1.20
52 */
53 public static $users;
54
55 /**
56 * Primary database
57 *
58 * @var Database
59 * @since 1.18
60 */
61 protected $db;
62
63 /**
64 * @var array
65 * @since 1.19
66 */
67 protected $tablesUsed = []; // tables with data
68
69 private static $useTemporaryTables = true;
70 private static $reuseDB = false;
71 private static $dbSetup = false;
72 private static $oldTablePrefix = '';
73
74 /**
75 * Original value of PHP's error_reporting setting.
76 *
77 * @var int
78 */
79 private $phpErrorLevel;
80
81 /**
82 * Holds the paths of temporary files/directories created through getNewTempFile,
83 * and getNewTempDirectory
84 *
85 * @var array
86 */
87 private $tmpFiles = [];
88
89 /**
90 * Holds original values of MediaWiki configuration settings
91 * to be restored in tearDown().
92 * See also setMwGlobals().
93 * @var array
94 */
95 private $mwGlobals = [];
96
97 /**
98 * Holds list of MediaWiki configuration settings to be unset in tearDown().
99 * See also setMwGlobals().
100 * @var array
101 */
102 private $mwGlobalsToUnset = [];
103
104 /**
105 * Holds original values of ini settings to be restored
106 * in tearDown().
107 * @see setIniSettings()
108 * @var array
109 */
110 private $iniSettings = [];
111
112 /**
113 * Holds original loggers which have been replaced by setLogger()
114 * @var LoggerInterface[]
115 */
116 private $loggers = [];
117
118 /**
119 * The CLI arguments passed through from phpunit.php
120 * @var array
121 */
122 private $cliArgs = [];
123
124 /**
125 * Holds a list of services that were overridden with setService(). Used for printing an error
126 * if overrideMwServices() overrides a service that was previously set.
127 * @var string[]
128 */
129 private $overriddenServices = [];
130
131 /**
132 * Table name prefixes. Oracle likes it shorter.
133 */
134 const DB_PREFIX = 'unittest_';
135 const ORA_DB_PREFIX = 'ut_';
136
137 /**
138 * @var array
139 * @since 1.18
140 */
141 protected $supportedDBs = [
142 'mysql',
143 'sqlite',
144 'postgres',
145 'oracle'
146 ];
147
148 public function __construct( $name = null, array $data = [], $dataName = '' ) {
149 parent::__construct( $name, $data, $dataName );
150
151 $this->backupGlobals = false;
152 $this->backupStaticAttributes = false;
153 }
154
155 public function __destruct() {
156 // Complain if self::setUp() was called, but not self::tearDown()
157 // $this->called['setUp'] will be checked by self::testMediaWikiTestCaseParentSetupCalled()
158 if ( isset( $this->called['setUp'] ) && !isset( $this->called['tearDown'] ) ) {
159 throw new MWException( static::class . "::tearDown() must call parent::tearDown()" );
160 }
161 }
162
163 public static function setUpBeforeClass() {
164 parent::setUpBeforeClass();
165
166 // Get the original service locator
167 if ( !self::$originalServices ) {
168 self::$originalServices = MediaWikiServices::getInstance();
169 }
170 }
171
172 /**
173 * Convenience method for getting an immutable test user
174 *
175 * @since 1.28
176 *
177 * @param string|string[] $groups Groups the test user should be in.
178 * @return TestUser
179 */
180 public static function getTestUser( $groups = [] ) {
181 return TestUserRegistry::getImmutableTestUser( $groups );
182 }
183
184 /**
185 * Convenience method for getting a mutable test user
186 *
187 * @since 1.28
188 *
189 * @param string|string[] $groups Groups the test user should be added in.
190 * @return TestUser
191 */
192 public static function getMutableTestUser( $groups = [] ) {
193 return TestUserRegistry::getMutableTestUser( __CLASS__, $groups );
194 }
195
196 /**
197 * Convenience method for getting an immutable admin test user
198 *
199 * @since 1.28
200 *
201 * @param string[] $groups Groups the test user should be added to.
202 * @return TestUser
203 */
204 public static function getTestSysop() {
205 return self::getTestUser( [ 'sysop', 'bureaucrat' ] );
206 }
207
208 /**
209 * Returns a WikiPage representing an existing page.
210 *
211 * @since 1.32
212 *
213 * @param Title|string|null $title
214 * @return WikiPage
215 * @throws MWException If this test cases's needsDB() method doesn't return true.
216 * Test cases can use "@group Database" to enable database test support,
217 * or list the tables under testing in $this->tablesUsed, or override the
218 * needsDB() method.
219 */
220 protected function getExistingTestPage( $title = null ) {
221 if ( !$this->needsDB() ) {
222 throw new MWException( 'When testing which pages, the test cases\'s needsDB()' .
223 ' method should return true. Use @group Database or $this->tablesUsed.' );
224 }
225
226 $title = ( $title === null ) ? 'UTPage' : $title;
227 $title = is_string( $title ) ? Title::newFromText( $title ) : $title;
228 $page = WikiPage::factory( $title );
229
230 if ( !$page->exists() ) {
231 $user = self::getTestSysop()->getUser();
232 $page->doEditContent(
233 new WikitextContent( 'UTContent' ),
234 'UTPageSummary',
235 EDIT_NEW | EDIT_SUPPRESS_RC,
236 false,
237 $user
238 );
239 }
240
241 return $page;
242 }
243
244 /**
245 * Returns a WikiPage representing a non-existing page.
246 *
247 * @since 1.32
248 *
249 * @param Title|string|null $title
250 * @return WikiPage
251 * @throws MWException If this test cases's needsDB() method doesn't return true.
252 * Test cases can use "@group Database" to enable database test support,
253 * or list the tables under testing in $this->tablesUsed, or override the
254 * needsDB() method.
255 */
256 protected function getNonexistingTestPage( $title = null ) {
257 if ( !$this->needsDB() ) {
258 throw new MWException( 'When testing which pages, the test cases\'s needsDB()' .
259 ' method should return true. Use @group Database or $this->tablesUsed.' );
260 }
261
262 $title = ( $title === null ) ? 'UTPage-' . rand( 0, 100000 ) : $title;
263 $title = is_string( $title ) ? Title::newFromText( $title ) : $title;
264 $page = WikiPage::factory( $title );
265
266 if ( $page->exists() ) {
267 $page->doDeleteArticle( 'Testing' );
268 }
269
270 return $page;
271 }
272
273 /**
274 * @deprecated since 1.32
275 */
276 public static function prepareServices( Config $bootstrapConfig ) {
277 }
278
279 /**
280 * Create a config suitable for testing, based on a base config, default overrides,
281 * and custom overrides.
282 *
283 * @param Config|null $baseConfig
284 * @param Config|null $customOverrides
285 *
286 * @return Config
287 */
288 private static function makeTestConfig(
289 Config $baseConfig = null,
290 Config $customOverrides = null
291 ) {
292 $defaultOverrides = new HashConfig();
293
294 if ( !$baseConfig ) {
295 $baseConfig = self::$originalServices->getBootstrapConfig();
296 }
297
298 /* Some functions require some kind of caching, and will end up using the db,
299 * which we can't allow, as that would open a new connection for mysql.
300 * Replace with a HashBag. They would not be going to persist anyway.
301 */
302 $hashCache = [ 'class' => HashBagOStuff::class, 'reportDupes' => false ];
303 $objectCaches = [
304 CACHE_DB => $hashCache,
305 CACHE_ACCEL => $hashCache,
306 CACHE_MEMCACHED => $hashCache,
307 'apc' => $hashCache,
308 'apcu' => $hashCache,
309 'wincache' => $hashCache,
310 ] + $baseConfig->get( 'ObjectCaches' );
311
312 $defaultOverrides->set( 'ObjectCaches', $objectCaches );
313 $defaultOverrides->set( 'MainCacheType', CACHE_NONE );
314 $defaultOverrides->set( 'JobTypeConf', [ 'default' => [ 'class' => JobQueueMemory::class ] ] );
315
316 // Use a fast hash algorithm to hash passwords.
317 $defaultOverrides->set( 'PasswordDefault', 'A' );
318
319 $testConfig = $customOverrides
320 ? new MultiConfig( [ $customOverrides, $defaultOverrides, $baseConfig ] )
321 : new MultiConfig( [ $defaultOverrides, $baseConfig ] );
322
323 return $testConfig;
324 }
325
326 /**
327 * @param ConfigFactory $oldFactory
328 * @param Config[] $configurations
329 *
330 * @return Closure
331 */
332 private static function makeTestConfigFactoryInstantiator(
333 ConfigFactory $oldFactory,
334 array $configurations
335 ) {
336 return function ( MediaWikiServices $services ) use ( $oldFactory, $configurations ) {
337 $factory = new ConfigFactory();
338
339 // clone configurations from $oldFactory that are not overwritten by $configurations
340 $namesToClone = array_diff(
341 $oldFactory->getConfigNames(),
342 array_keys( $configurations )
343 );
344
345 foreach ( $namesToClone as $name ) {
346 $factory->register( $name, $oldFactory->makeConfig( $name ) );
347 }
348
349 foreach ( $configurations as $name => $config ) {
350 $factory->register( $name, $config );
351 }
352
353 return $factory;
354 };
355 }
356
357 /**
358 * Resets some non-service singleton instances and other static caches. It's not necessary to
359 * reset services here.
360 */
361 public static function resetNonServiceCaches() {
362 global $wgRequest, $wgJobClasses;
363
364 User::resetGetDefaultOptionsForTestsOnly();
365 foreach ( $wgJobClasses as $type => $class ) {
366 JobQueueGroup::singleton()->get( $type )->delete();
367 }
368 JobQueueGroup::destroySingletons();
369
370 ObjectCache::clear();
371 FileBackendGroup::destroySingleton();
372 DeferredUpdates::clearPendingUpdates();
373
374 // TODO: move global state into MediaWikiServices
375 RequestContext::resetMain();
376 if ( session_id() !== '' ) {
377 session_write_close();
378 session_id( '' );
379 }
380
381 $wgRequest = new FauxRequest();
382 MediaWiki\Session\SessionManager::resetCache();
383 }
384
385 public function run( PHPUnit_Framework_TestResult $result = null ) {
386 if ( $result instanceof MediaWikiTestResult ) {
387 $this->cliArgs = $result->getMediaWikiCliArgs();
388 }
389 $this->overrideMwServices();
390
391 if ( $this->needsDB() && !$this->isTestInDatabaseGroup() ) {
392 throw new Exception(
393 get_class( $this ) . ' apparently needsDB but is not in the Database group'
394 );
395 }
396
397 $needsResetDB = false;
398 if ( !self::$dbSetup || $this->needsDB() ) {
399 // set up a DB connection for this test to use
400
401 self::$useTemporaryTables = !$this->getCliArg( 'use-normal-tables' );
402 self::$reuseDB = $this->getCliArg( 'reuse-db' );
403
404 $lb = MediaWikiServices::getInstance()->getDBLoadBalancer();
405 $this->db = $lb->getConnection( DB_MASTER );
406
407 $this->checkDbIsSupported();
408
409 if ( !self::$dbSetup ) {
410 $this->setupAllTestDBs();
411 $this->addCoreDBData();
412 }
413
414 // TODO: the DB setup should be done in setUpBeforeClass(), so the test DB
415 // is available in subclass's setUpBeforeClass() and setUp() methods.
416 // This would also remove the need for the HACK that is oncePerClass().
417 if ( $this->oncePerClass() ) {
418 $this->setUpSchema( $this->db );
419 $this->resetDB( $this->db, $this->tablesUsed );
420 $this->addDBDataOnce();
421 }
422
423 $this->addDBData();
424 $needsResetDB = true;
425 }
426
427 parent::run( $result );
428
429 // We don't mind if we override already-overridden services during cleanup
430 $this->overriddenServices = [];
431
432 if ( $needsResetDB ) {
433 $this->resetDB( $this->db, $this->tablesUsed );
434 }
435
436 self::restoreMwServices();
437 $this->localServices = null;
438 }
439
440 /**
441 * @return bool
442 */
443 private function oncePerClass() {
444 // Remember current test class in the database connection,
445 // so we know when we need to run addData.
446
447 $class = static::class;
448
449 $first = !isset( $this->db->_hasDataForTestClass )
450 || $this->db->_hasDataForTestClass !== $class;
451
452 $this->db->_hasDataForTestClass = $class;
453 return $first;
454 }
455
456 /**
457 * @since 1.21
458 *
459 * @return bool
460 */
461 public function usesTemporaryTables() {
462 return self::$useTemporaryTables;
463 }
464
465 /**
466 * Obtains a new temporary file name
467 *
468 * The obtained filename is enlisted to be removed upon tearDown
469 *
470 * @since 1.20
471 *
472 * @return string Absolute name of the temporary file
473 */
474 protected function getNewTempFile() {
475 $fileName = tempnam(
476 wfTempDir(),
477 // Avoid backslashes here as they result in inconsistent results
478 // between Windows and other OS, as well as between functions
479 // that try to normalise these in one or both directions.
480 // For example, tempnam rejects directory separators in the prefix which
481 // means it rejects any namespaced class on Windows.
482 // And then there is, wfMkdirParents which normalises paths always
483 // whereas most other PHP and MW functions do not.
484 'MW_PHPUnit_' . strtr( static::class, [ '\\' => '_' ] ) . '_'
485 );
486 $this->tmpFiles[] = $fileName;
487
488 return $fileName;
489 }
490
491 /**
492 * obtains a new temporary directory
493 *
494 * The obtained directory is enlisted to be removed (recursively with all its contained
495 * files) upon tearDown.
496 *
497 * @since 1.20
498 *
499 * @return string Absolute name of the temporary directory
500 */
501 protected function getNewTempDirectory() {
502 // Starting of with a temporary *file*.
503 $fileName = $this->getNewTempFile();
504
505 // Converting the temporary file to a *directory*.
506 // The following is not atomic, but at least we now have a single place,
507 // where temporary directory creation is bundled and can be improved.
508 unlink( $fileName );
509 // If this fails for some reason, PHP will warn and fail the test.
510 mkdir( $fileName, 0777, /* recursive = */ true );
511
512 return $fileName;
513 }
514
515 protected function setUp() {
516 parent::setUp();
517 $this->called['setUp'] = true;
518
519 $this->phpErrorLevel = intval( ini_get( 'error_reporting' ) );
520
521 $this->overriddenServices = [];
522
523 // Cleaning up temporary files
524 foreach ( $this->tmpFiles as $fileName ) {
525 if ( is_file( $fileName ) || ( is_link( $fileName ) ) ) {
526 unlink( $fileName );
527 } elseif ( is_dir( $fileName ) ) {
528 wfRecursiveRemoveDir( $fileName );
529 }
530 }
531
532 if ( $this->needsDB() && $this->db ) {
533 // Clean up open transactions
534 while ( $this->db->trxLevel() > 0 ) {
535 $this->db->rollback( __METHOD__, 'flush' );
536 }
537 // Check for unsafe queries
538 if ( $this->db->getType() === 'mysql' ) {
539 $this->db->query( "SET sql_mode = 'STRICT_ALL_TABLES'", __METHOD__ );
540 }
541 }
542
543 // Reset all caches between tests.
544 self::resetNonServiceCaches();
545
546 // XXX: reset maintenance triggers
547 // Hook into period lag checks which often happen in long-running scripts
548 $lbFactory = $this->localServices->getDBLoadBalancerFactory();
549 Maintenance::setLBFactoryTriggers( $lbFactory, $this->localServices->getMainConfig() );
550
551 ob_start( 'MediaWikiTestCase::wfResetOutputBuffersBarrier' );
552 }
553
554 protected function addTmpFiles( $files ) {
555 $this->tmpFiles = array_merge( $this->tmpFiles, (array)$files );
556 }
557
558 // @todo Make const when we no longer support HHVM (T192166)
559 private static $namespaceAffectingSettings = [
560 'wgAllowImageMoving',
561 'wgCanonicalNamespaceNames',
562 'wgCapitalLinkOverrides',
563 'wgCapitalLinks',
564 'wgContentNamespaces',
565 'wgExtensionMessagesFiles',
566 'wgExtensionNamespaces',
567 'wgExtraNamespaces',
568 'wgExtraSignatureNamespaces',
569 'wgNamespaceContentModels',
570 'wgNamespaceProtection',
571 'wgNamespacesWithSubpages',
572 'wgNonincludableNamespaces',
573 'wgRestrictionLevels',
574 ];
575
576 protected function tearDown() {
577 global $wgRequest, $wgSQLMode;
578
579 $status = ob_get_status();
580 if ( isset( $status['name'] ) &&
581 $status['name'] === 'MediaWikiTestCase::wfResetOutputBuffersBarrier'
582 ) {
583 ob_end_flush();
584 }
585
586 $this->called['tearDown'] = true;
587 // Cleaning up temporary files
588 foreach ( $this->tmpFiles as $fileName ) {
589 if ( is_file( $fileName ) || ( is_link( $fileName ) ) ) {
590 unlink( $fileName );
591 } elseif ( is_dir( $fileName ) ) {
592 wfRecursiveRemoveDir( $fileName );
593 }
594 }
595
596 if ( $this->needsDB() && $this->db ) {
597 // Clean up open transactions
598 while ( $this->db->trxLevel() > 0 ) {
599 $this->db->rollback( __METHOD__, 'flush' );
600 }
601 if ( $this->db->getType() === 'mysql' ) {
602 $this->db->query( "SET sql_mode = " . $this->db->addQuotes( $wgSQLMode ),
603 __METHOD__ );
604 }
605 }
606
607 // Re-enable any disabled deprecation warnings
608 MWDebug::clearLog();
609 // Restore mw globals
610 foreach ( $this->mwGlobals as $key => $value ) {
611 $GLOBALS[$key] = $value;
612 }
613 foreach ( $this->mwGlobalsToUnset as $value ) {
614 unset( $GLOBALS[$value] );
615 }
616 foreach ( $this->iniSettings as $name => $value ) {
617 ini_set( $name, $value );
618 }
619 if (
620 array_intersect( self::$namespaceAffectingSettings, array_keys( $this->mwGlobals ) ) ||
621 array_intersect( self::$namespaceAffectingSettings, $this->mwGlobalsToUnset )
622 ) {
623 $this->resetNamespaces();
624 }
625 $this->mwGlobals = [];
626 $this->mwGlobalsToUnset = [];
627 $this->restoreLoggers();
628
629 // TODO: move global state into MediaWikiServices
630 RequestContext::resetMain();
631 if ( session_id() !== '' ) {
632 session_write_close();
633 session_id( '' );
634 }
635 $wgRequest = new FauxRequest();
636 MediaWiki\Session\SessionManager::resetCache();
637 MediaWiki\Auth\AuthManager::resetCache();
638
639 $phpErrorLevel = intval( ini_get( 'error_reporting' ) );
640
641 if ( $phpErrorLevel !== $this->phpErrorLevel ) {
642 ini_set( 'error_reporting', $this->phpErrorLevel );
643
644 $oldHex = strtoupper( dechex( $this->phpErrorLevel ) );
645 $newHex = strtoupper( dechex( $phpErrorLevel ) );
646 $message = "PHP error_reporting setting was left dirty: "
647 . "was 0x$oldHex before test, 0x$newHex after test!";
648
649 $this->fail( $message );
650 }
651
652 parent::tearDown();
653 }
654
655 /**
656 * Make sure MediaWikiTestCase extending classes have called their
657 * parent setUp method
658 *
659 * With strict coverage activated in PHP_CodeCoverage, this test would be
660 * marked as risky without the following annotation (T152923).
661 * @coversNothing
662 */
663 final public function testMediaWikiTestCaseParentSetupCalled() {
664 $this->assertArrayHasKey( 'setUp', $this->called,
665 static::class . '::setUp() must call parent::setUp()'
666 );
667 }
668
669 /**
670 * Sets a service, maintaining a stashed version of the previous service to be
671 * restored in tearDown
672 *
673 * @since 1.27
674 *
675 * @param string $name
676 * @param object $object
677 */
678 protected function setService( $name, $object ) {
679 if ( !$this->localServices ) {
680 throw new Exception( __METHOD__ . ' must be called after MediaWikiTestCase::run()' );
681 }
682
683 if ( $this->localServices !== MediaWikiServices::getInstance() ) {
684 throw new Exception( __METHOD__ . ' will not work because the global MediaWikiServices '
685 . 'instance has been replaced by test code.' );
686 }
687
688 $this->overriddenServices[] = $name;
689
690 $this->localServices->disableService( $name );
691 $this->localServices->redefineService(
692 $name,
693 function () use ( $object ) {
694 return $object;
695 }
696 );
697
698 if ( $name === 'ContentLanguage' ) {
699 $this->doSetMwGlobals( [ 'wgContLang' => $object ] );
700 }
701 }
702
703 /**
704 * Sets a global, maintaining a stashed version of the previous global to be
705 * restored in tearDown
706 *
707 * The key is added to the array of globals that will be reset afterwards
708 * in the tearDown().
709 *
710 * @par Example
711 * @code
712 * protected function setUp() {
713 * $this->setMwGlobals( 'wgRestrictStuff', true );
714 * }
715 *
716 * function testFoo() {}
717 *
718 * function testBar() {}
719 * $this->assertTrue( self::getX()->doStuff() );
720 *
721 * $this->setMwGlobals( 'wgRestrictStuff', false );
722 * $this->assertTrue( self::getX()->doStuff() );
723 * }
724 *
725 * function testQuux() {}
726 * @endcode
727 *
728 * @param array|string $pairs Key to the global variable, or an array
729 * of key/value pairs.
730 * @param mixed|null $value Value to set the global to (ignored
731 * if an array is given as first argument).
732 *
733 * @note To allow changes to global variables to take effect on global service instances,
734 * call overrideMwServices().
735 *
736 * @since 1.21
737 */
738 protected function setMwGlobals( $pairs, $value = null ) {
739 if ( is_string( $pairs ) ) {
740 $pairs = [ $pairs => $value ];
741 }
742
743 if ( isset( $pairs['wgContLang'] ) ) {
744 throw new MWException(
745 'No setting $wgContLang, use setContentLang() or setService( \'ContentLanguage\' )'
746 );
747 }
748
749 $this->doSetMwGlobals( $pairs, $value );
750 }
751
752 /**
753 * An internal method that allows setService() to set globals that tests are not supposed to
754 * touch.
755 */
756 private function doSetMwGlobals( $pairs, $value = null ) {
757 $this->doStashMwGlobals( array_keys( $pairs ) );
758
759 foreach ( $pairs as $key => $value ) {
760 $GLOBALS[$key] = $value;
761 }
762
763 if ( array_intersect( self::$namespaceAffectingSettings, array_keys( $pairs ) ) ) {
764 $this->resetNamespaces();
765 }
766 }
767
768 /**
769 * Set an ini setting for the duration of the test
770 * @param string $name Name of the setting
771 * @param string $value Value to set
772 * @since 1.32
773 */
774 protected function setIniSetting( $name, $value ) {
775 $original = ini_get( $name );
776 $this->iniSettings[$name] = $original;
777 ini_set( $name, $value );
778 }
779
780 /**
781 * Must be called whenever namespaces are changed, e.g., $wgExtraNamespaces is altered.
782 * Otherwise old namespace data will lurk and cause bugs.
783 */
784 private function resetNamespaces() {
785 if ( !$this->localServices ) {
786 throw new Exception( __METHOD__ . ' must be called after MediaWikiTestCase::run()' );
787 }
788
789 if ( $this->localServices !== MediaWikiServices::getInstance() ) {
790 throw new Exception( __METHOD__ . ' will not work because the global MediaWikiServices '
791 . 'instance has been replaced by test code.' );
792 }
793
794 Language::clearCaches();
795 }
796
797 /**
798 * Check if we can back up a value by performing a shallow copy.
799 * Values which fail this test are copied recursively.
800 *
801 * @param mixed $value
802 * @return bool True if a shallow copy will do; false if a deep copy
803 * is required.
804 */
805 private static function canShallowCopy( $value ) {
806 if ( is_scalar( $value ) || $value === null ) {
807 return true;
808 }
809 if ( is_array( $value ) ) {
810 foreach ( $value as $subValue ) {
811 if ( !is_scalar( $subValue ) && $subValue !== null ) {
812 return false;
813 }
814 }
815 return true;
816 }
817 return false;
818 }
819
820 /**
821 * Stashes the global, will be restored in tearDown()
822 *
823 * Individual test functions may override globals through the setMwGlobals() function
824 * or directly. When directly overriding globals their keys should first be passed to this
825 * method in setUp to avoid breaking global state for other tests
826 *
827 * That way all other tests are executed with the same settings (instead of using the
828 * unreliable local settings for most tests and fix it only for some tests).
829 *
830 * @param array|string $globalKeys Key to the global variable, or an array of keys.
831 *
832 * @note To allow changes to global variables to take effect on global service instances,
833 * call overrideMwServices().
834 *
835 * @since 1.23
836 * @deprecated since 1.32, use setMwGlobals() and don't alter globals directly
837 */
838 protected function stashMwGlobals( $globalKeys ) {
839 wfDeprecated( __METHOD__, '1.32' );
840 $this->doStashMwGlobals( $globalKeys );
841 }
842
843 private function doStashMwGlobals( $globalKeys ) {
844 if ( is_string( $globalKeys ) ) {
845 $globalKeys = [ $globalKeys ];
846 }
847
848 foreach ( $globalKeys as $globalKey ) {
849 // NOTE: make sure we only save the global once or a second call to
850 // setMwGlobals() on the same global would override the original
851 // value.
852 if (
853 !array_key_exists( $globalKey, $this->mwGlobals ) &&
854 !array_key_exists( $globalKey, $this->mwGlobalsToUnset )
855 ) {
856 if ( !array_key_exists( $globalKey, $GLOBALS ) ) {
857 $this->mwGlobalsToUnset[$globalKey] = $globalKey;
858 continue;
859 }
860 // NOTE: we serialize then unserialize the value in case it is an object
861 // this stops any objects being passed by reference. We could use clone
862 // and if is_object but this does account for objects within objects!
863 if ( self::canShallowCopy( $GLOBALS[$globalKey] ) ) {
864 $this->mwGlobals[$globalKey] = $GLOBALS[$globalKey];
865 } elseif (
866 // Many MediaWiki types are safe to clone. These are the
867 // ones that are most commonly stashed.
868 $GLOBALS[$globalKey] instanceof Language ||
869 $GLOBALS[$globalKey] instanceof User ||
870 $GLOBALS[$globalKey] instanceof FauxRequest
871 ) {
872 $this->mwGlobals[$globalKey] = clone $GLOBALS[$globalKey];
873 } elseif ( $this->containsClosure( $GLOBALS[$globalKey] ) ) {
874 // Serializing Closure only gives a warning on HHVM while
875 // it throws an Exception on Zend.
876 // Workaround for https://github.com/facebook/hhvm/issues/6206
877 $this->mwGlobals[$globalKey] = $GLOBALS[$globalKey];
878 } else {
879 try {
880 $this->mwGlobals[$globalKey] = unserialize( serialize( $GLOBALS[$globalKey] ) );
881 } catch ( Exception $e ) {
882 $this->mwGlobals[$globalKey] = $GLOBALS[$globalKey];
883 }
884 }
885 }
886 }
887 }
888
889 /**
890 * @param mixed $var
891 * @param int $maxDepth
892 *
893 * @return bool
894 */
895 private function containsClosure( $var, $maxDepth = 15 ) {
896 if ( $var instanceof Closure ) {
897 return true;
898 }
899 if ( !is_array( $var ) || $maxDepth === 0 ) {
900 return false;
901 }
902
903 foreach ( $var as $value ) {
904 if ( $this->containsClosure( $value, $maxDepth - 1 ) ) {
905 return true;
906 }
907 }
908 return false;
909 }
910
911 /**
912 * Merges the given values into a MW global array variable.
913 * Useful for setting some entries in a configuration array, instead of
914 * setting the entire array.
915 *
916 * @param string $name The name of the global, as in wgFooBar
917 * @param array $values The array containing the entries to set in that global
918 *
919 * @throws MWException If the designated global is not an array.
920 *
921 * @note To allow changes to global variables to take effect on global service instances,
922 * call overrideMwServices().
923 *
924 * @since 1.21
925 */
926 protected function mergeMwGlobalArrayValue( $name, $values ) {
927 if ( !isset( $GLOBALS[$name] ) ) {
928 $merged = $values;
929 } else {
930 if ( !is_array( $GLOBALS[$name] ) ) {
931 throw new MWException( "MW global $name is not an array." );
932 }
933
934 // NOTE: do not use array_merge, it screws up for numeric keys.
935 $merged = $GLOBALS[$name];
936 foreach ( $values as $k => $v ) {
937 $merged[$k] = $v;
938 }
939 }
940
941 $this->setMwGlobals( $name, $merged );
942 }
943
944 /**
945 * Stashes the global instance of MediaWikiServices, and installs a new one,
946 * allowing test cases to override settings and services.
947 * The previous instance of MediaWikiServices will be restored on tearDown.
948 *
949 * @since 1.27
950 *
951 * @param Config|null $configOverrides Configuration overrides for the new MediaWikiServices
952 * instance.
953 * @param callable[] $services An associative array of services to re-define. Keys are service
954 * names, values are callables.
955 *
956 * @return MediaWikiServices
957 * @throws MWException
958 */
959 protected function overrideMwServices(
960 Config $configOverrides = null, array $services = []
961 ) {
962 if ( $this->overriddenServices ) {
963 throw new MWException(
964 'The following services were set and are now being unset by overrideMwServices: ' .
965 implode( ', ', $this->overriddenServices )
966 );
967 }
968 $newInstance = self::installMockMwServices( $configOverrides );
969
970 if ( $this->localServices ) {
971 $this->localServices->destroy();
972 }
973
974 $this->localServices = $newInstance;
975
976 foreach ( $services as $name => $callback ) {
977 $newInstance->redefineService( $name, $callback );
978 }
979
980 return $newInstance;
981 }
982
983 /**
984 * Creates a new "mock" MediaWikiServices instance, and installs it.
985 * This effectively resets all cached states in services, with the exception of
986 * the ConfigFactory and the DBLoadBalancerFactory service, which are inherited from
987 * the original MediaWikiServices.
988 *
989 * @note The new original MediaWikiServices instance can later be restored by calling
990 * restoreMwServices(). That original is determined by the first call to this method, or
991 * by setUpBeforeClass, whichever is called first. The caller is responsible for managing
992 * and, when appropriate, destroying any other MediaWikiServices instances that may get
993 * replaced when calling this method.
994 *
995 * @param Config|null $configOverrides Configuration overrides for the new MediaWikiServices
996 * instance.
997 *
998 * @return MediaWikiServices the new mock service locator.
999 */
1000 public static function installMockMwServices( Config $configOverrides = null ) {
1001 // Make sure we have the original service locator
1002 if ( !self::$originalServices ) {
1003 self::$originalServices = MediaWikiServices::getInstance();
1004 }
1005
1006 if ( !$configOverrides ) {
1007 $configOverrides = new HashConfig();
1008 }
1009
1010 $oldConfigFactory = self::$originalServices->getConfigFactory();
1011 $oldLoadBalancerFactory = self::$originalServices->getDBLoadBalancerFactory();
1012
1013 $testConfig = self::makeTestConfig( null, $configOverrides );
1014 $newServices = new MediaWikiServices( $testConfig );
1015
1016 // Load the default wiring from the specified files.
1017 // NOTE: this logic mirrors the logic in MediaWikiServices::newInstance.
1018 $wiringFiles = $testConfig->get( 'ServiceWiringFiles' );
1019 $newServices->loadWiringFiles( $wiringFiles );
1020
1021 // Provide a traditional hook point to allow extensions to configure services.
1022 Hooks::run( 'MediaWikiServices', [ $newServices ] );
1023
1024 // Use bootstrap config for all configuration.
1025 // This allows config overrides via global variables to take effect.
1026 $bootstrapConfig = $newServices->getBootstrapConfig();
1027 $newServices->resetServiceForTesting( 'ConfigFactory' );
1028 $newServices->redefineService(
1029 'ConfigFactory',
1030 self::makeTestConfigFactoryInstantiator(
1031 $oldConfigFactory,
1032 [ 'main' => $bootstrapConfig ]
1033 )
1034 );
1035 $newServices->resetServiceForTesting( 'DBLoadBalancerFactory' );
1036 $newServices->redefineService(
1037 'DBLoadBalancerFactory',
1038 function ( MediaWikiServices $services ) use ( $oldLoadBalancerFactory ) {
1039 return $oldLoadBalancerFactory;
1040 }
1041 );
1042
1043 MediaWikiServices::forceGlobalInstance( $newServices );
1044 return $newServices;
1045 }
1046
1047 /**
1048 * Restores the original, non-mock MediaWikiServices instance.
1049 * The previously active MediaWikiServices instance is destroyed,
1050 * if it is different from the original that is to be restored.
1051 *
1052 * @note this if for internal use by test framework code. It should never be
1053 * called from inside a test case, a data provider, or a setUp or tearDown method.
1054 *
1055 * @return bool true if the original service locator was restored,
1056 * false if there was nothing too do.
1057 */
1058 public static function restoreMwServices() {
1059 if ( !self::$originalServices ) {
1060 return false;
1061 }
1062
1063 $currentServices = MediaWikiServices::getInstance();
1064
1065 if ( self::$originalServices === $currentServices ) {
1066 return false;
1067 }
1068
1069 MediaWikiServices::forceGlobalInstance( self::$originalServices );
1070 $currentServices->destroy();
1071
1072 return true;
1073 }
1074
1075 /**
1076 * @since 1.27
1077 * @param string|Language $lang
1078 */
1079 public function setUserLang( $lang ) {
1080 RequestContext::getMain()->setLanguage( $lang );
1081 $this->setMwGlobals( 'wgLang', RequestContext::getMain()->getLanguage() );
1082 }
1083
1084 /**
1085 * @since 1.27
1086 * @param string|Language $lang
1087 */
1088 public function setContentLang( $lang ) {
1089 if ( $lang instanceof Language ) {
1090 $this->setMwGlobals( 'wgLanguageCode', $lang->getCode() );
1091 // Set to the exact object requested
1092 $this->setService( 'ContentLanguage', $lang );
1093 } else {
1094 $this->setMwGlobals( 'wgLanguageCode', $lang );
1095 // Let the service handler make up the object. Avoid calling setService(), because if
1096 // we do, overrideMwServices() will complain if it's called later on.
1097 $services = MediaWikiServices::getInstance();
1098 $services->resetServiceForTesting( 'ContentLanguage' );
1099 $this->doSetMwGlobals( [ 'wgContLang' => $services->getContentLanguage() ] );
1100 }
1101 }
1102
1103 /**
1104 * Alters $wgGroupPermissions for the duration of the test. Can be called
1105 * with an array, like
1106 * [ '*' => [ 'read' => false ], 'user' => [ 'read' => false ] ]
1107 * or three values to set a single permission, like
1108 * $this->setGroupPermissions( '*', 'read', false );
1109 *
1110 * @since 1.31
1111 * @param array|string $newPerms Either an array of permissions to change,
1112 * in which case the next two parameters are ignored; or a single string
1113 * identifying a group, to use with the next two parameters.
1114 * @param string|null $newKey
1115 * @param mixed|null $newValue
1116 */
1117 public function setGroupPermissions( $newPerms, $newKey = null, $newValue = null ) {
1118 global $wgGroupPermissions;
1119
1120 if ( is_string( $newPerms ) ) {
1121 $newPerms = [ $newPerms => [ $newKey => $newValue ] ];
1122 }
1123
1124 $newPermissions = $wgGroupPermissions;
1125 foreach ( $newPerms as $group => $permissions ) {
1126 foreach ( $permissions as $key => $value ) {
1127 $newPermissions[$group][$key] = $value;
1128 }
1129 }
1130
1131 $this->setMwGlobals( 'wgGroupPermissions', $newPermissions );
1132 }
1133
1134 /**
1135 * Sets the logger for a specified channel, for the duration of the test.
1136 * @since 1.27
1137 * @param string $channel
1138 * @param LoggerInterface $logger
1139 */
1140 protected function setLogger( $channel, LoggerInterface $logger ) {
1141 // TODO: Once loggers are managed by MediaWikiServices, use
1142 // overrideMwServices() to set loggers.
1143
1144 $provider = LoggerFactory::getProvider();
1145 $wrappedProvider = TestingAccessWrapper::newFromObject( $provider );
1146 $singletons = $wrappedProvider->singletons;
1147 if ( $provider instanceof MonologSpi ) {
1148 if ( !isset( $this->loggers[$channel] ) ) {
1149 $this->loggers[$channel] = $singletons['loggers'][$channel] ?? null;
1150 }
1151 $singletons['loggers'][$channel] = $logger;
1152 } elseif ( $provider instanceof LegacySpi || $provider instanceof LogCapturingSpi ) {
1153 if ( !isset( $this->loggers[$channel] ) ) {
1154 $this->loggers[$channel] = $singletons[$channel] ?? null;
1155 }
1156 $singletons[$channel] = $logger;
1157 } else {
1158 throw new LogicException( __METHOD__ . ': setting a logger for ' . get_class( $provider )
1159 . ' is not implemented' );
1160 }
1161 $wrappedProvider->singletons = $singletons;
1162 }
1163
1164 /**
1165 * Restores loggers replaced by setLogger().
1166 * @since 1.27
1167 */
1168 private function restoreLoggers() {
1169 $provider = LoggerFactory::getProvider();
1170 $wrappedProvider = TestingAccessWrapper::newFromObject( $provider );
1171 $singletons = $wrappedProvider->singletons;
1172 foreach ( $this->loggers as $channel => $logger ) {
1173 if ( $provider instanceof MonologSpi ) {
1174 if ( $logger === null ) {
1175 unset( $singletons['loggers'][$channel] );
1176 } else {
1177 $singletons['loggers'][$channel] = $logger;
1178 }
1179 } elseif ( $provider instanceof LegacySpi || $provider instanceof LogCapturingSpi ) {
1180 if ( $logger === null ) {
1181 unset( $singletons[$channel] );
1182 } else {
1183 $singletons[$channel] = $logger;
1184 }
1185 }
1186 }
1187 $wrappedProvider->singletons = $singletons;
1188 $this->loggers = [];
1189 }
1190
1191 /**
1192 * @return string
1193 * @since 1.18
1194 */
1195 public function dbPrefix() {
1196 return self::getTestPrefixFor( $this->db );
1197 }
1198
1199 /**
1200 * @param IDatabase $db
1201 * @return string
1202 * @since 1.32
1203 */
1204 public static function getTestPrefixFor( IDatabase $db ) {
1205 return $db->getType() == 'oracle' ? self::ORA_DB_PREFIX : self::DB_PREFIX;
1206 }
1207
1208 /**
1209 * @return bool
1210 * @since 1.18
1211 */
1212 public function needsDB() {
1213 // If the test says it uses database tables, it needs the database
1214 return $this->tablesUsed || $this->isTestInDatabaseGroup();
1215 }
1216
1217 /**
1218 * @return bool
1219 * @since 1.32
1220 */
1221 protected function isTestInDatabaseGroup() {
1222 // If the test class says it belongs to the Database group, it needs the database.
1223 // NOTE: This ONLY checks for the group in the class level doc comment.
1224 $rc = new ReflectionClass( $this );
1225 return (bool)preg_match( '/@group +Database/im', $rc->getDocComment() );
1226 }
1227
1228 /**
1229 * Insert a new page.
1230 *
1231 * Should be called from addDBData().
1232 *
1233 * @since 1.25 ($namespace in 1.28)
1234 * @param string|Title $pageName Page name or title
1235 * @param string $text Page's content
1236 * @param int|null $namespace Namespace id (name cannot already contain namespace)
1237 * @param User|null $user If null, static::getTestSysop()->getUser() is used.
1238 * @return array Title object and page id
1239 * @throws MWException If this test cases's needsDB() method doesn't return true.
1240 * Test cases can use "@group Database" to enable database test support,
1241 * or list the tables under testing in $this->tablesUsed, or override the
1242 * needsDB() method.
1243 */
1244 protected function insertPage(
1245 $pageName,
1246 $text = 'Sample page for unit test.',
1247 $namespace = null,
1248 User $user = null
1249 ) {
1250 if ( !$this->needsDB() ) {
1251 throw new MWException( 'When testing which pages, the test cases\'s needsDB()' .
1252 ' method should return true. Use @group Database or $this->tablesUsed.' );
1253 }
1254
1255 if ( is_string( $pageName ) ) {
1256 $title = Title::newFromText( $pageName, $namespace );
1257 } else {
1258 $title = $pageName;
1259 }
1260
1261 if ( !$user ) {
1262 $user = static::getTestSysop()->getUser();
1263 }
1264 $comment = __METHOD__ . ': Sample page for unit test.';
1265
1266 $page = WikiPage::factory( $title );
1267 $page->doEditContent( ContentHandler::makeContent( $text, $title ), $comment, 0, false, $user );
1268
1269 return [
1270 'title' => $title,
1271 'id' => $page->getId(),
1272 ];
1273 }
1274
1275 /**
1276 * Stub. If a test suite needs to add additional data to the database, it should
1277 * implement this method and do so. This method is called once per test suite
1278 * (i.e. once per class).
1279 *
1280 * Note data added by this method may be removed by resetDB() depending on
1281 * the contents of $tablesUsed.
1282 *
1283 * To add additional data between test function runs, override prepareDB().
1284 *
1285 * @see addDBData()
1286 * @see resetDB()
1287 *
1288 * @since 1.27
1289 */
1290 public function addDBDataOnce() {
1291 }
1292
1293 /**
1294 * Stub. Subclasses may override this to prepare the database.
1295 * Called before every test run (test function or data set).
1296 *
1297 * @see addDBDataOnce()
1298 * @see resetDB()
1299 *
1300 * @since 1.18
1301 */
1302 public function addDBData() {
1303 }
1304
1305 /**
1306 * @since 1.32
1307 */
1308 protected function addCoreDBData() {
1309 if ( $this->db->getType() == 'oracle' ) {
1310 # Insert 0 user to prevent FK violations
1311 # Anonymous user
1312 if ( !$this->db->selectField( 'user', '1', [ 'user_id' => 0 ] ) ) {
1313 $this->db->insert( 'user', [
1314 'user_id' => 0,
1315 'user_name' => 'Anonymous' ], __METHOD__, [ 'IGNORE' ] );
1316 }
1317
1318 # Insert 0 page to prevent FK violations
1319 # Blank page
1320 if ( !$this->db->selectField( 'page', '1', [ 'page_id' => 0 ] ) ) {
1321 $this->db->insert( 'page', [
1322 'page_id' => 0,
1323 'page_namespace' => 0,
1324 'page_title' => ' ',
1325 'page_restrictions' => null,
1326 'page_is_redirect' => 0,
1327 'page_is_new' => 0,
1328 'page_random' => 0,
1329 'page_touched' => $this->db->timestamp(),
1330 'page_latest' => 0,
1331 'page_len' => 0 ], __METHOD__, [ 'IGNORE' ] );
1332 }
1333 }
1334
1335 SiteStatsInit::doPlaceholderInit();
1336
1337 User::resetIdByNameCache();
1338
1339 // Make sysop user
1340 $user = static::getTestSysop()->getUser();
1341
1342 // Make 1 page with 1 revision
1343 $page = WikiPage::factory( Title::newFromText( 'UTPage' ) );
1344 if ( $page->getId() == 0 ) {
1345 $page->doEditContent(
1346 new WikitextContent( 'UTContent' ),
1347 'UTPageSummary',
1348 EDIT_NEW | EDIT_SUPPRESS_RC,
1349 false,
1350 $user
1351 );
1352 // an edit always attempt to purge backlink links such as history
1353 // pages. That is unnecessary.
1354 JobQueueGroup::singleton()->get( 'htmlCacheUpdate' )->delete();
1355 // WikiPages::doEditUpdates randomly adds RC purges
1356 JobQueueGroup::singleton()->get( 'recentChangesUpdate' )->delete();
1357
1358 // doEditContent() probably started the session via
1359 // User::loadFromSession(). Close it now.
1360 if ( session_id() !== '' ) {
1361 session_write_close();
1362 session_id( '' );
1363 }
1364 }
1365 }
1366
1367 /**
1368 * Restores MediaWiki to using the table set (table prefix) it was using before
1369 * setupTestDB() was called. Useful if we need to perform database operations
1370 * after the test run has finished (such as saving logs or profiling info).
1371 *
1372 * This is called by phpunit/bootstrap.php after the last test.
1373 *
1374 * @since 1.21
1375 */
1376 public static function teardownTestDB() {
1377 global $wgJobClasses;
1378
1379 if ( !self::$dbSetup ) {
1380 return;
1381 }
1382
1383 Hooks::run( 'UnitTestsBeforeDatabaseTeardown' );
1384
1385 foreach ( $wgJobClasses as $type => $class ) {
1386 // Delete any jobs under the clone DB (or old prefix in other stores)
1387 JobQueueGroup::singleton()->get( $type )->delete();
1388 }
1389
1390 // T219673: close any connections from code that failed to call reuseConnection()
1391 // or is still holding onto a DBConnRef instance (e.g. in a singleton).
1392 MediaWikiServices::getInstance()->getDBLoadBalancerFactory()->closeAll();
1393 CloneDatabase::changePrefix( self::$oldTablePrefix );
1394
1395 self::$oldTablePrefix = false;
1396 self::$dbSetup = false;
1397 }
1398
1399 /**
1400 * Setups a database with cloned tables using the given prefix.
1401 *
1402 * If reuseDB is true and certain conditions apply, it will just change the prefix.
1403 * Otherwise, it will clone the tables and change the prefix.
1404 *
1405 * @param IMaintainableDatabase $db Database to use
1406 * @param string|null $prefix Prefix to use for test tables. If not given, the prefix is determined
1407 * automatically for $db.
1408 * @return bool True if tables were cloned, false if only the prefix was changed
1409 */
1410 protected static function setupDatabaseWithTestPrefix(
1411 IMaintainableDatabase $db,
1412 $prefix = null
1413 ) {
1414 if ( $prefix === null ) {
1415 $prefix = self::getTestPrefixFor( $db );
1416 }
1417
1418 if ( ( $db->getType() == 'oracle' || !self::$useTemporaryTables ) && self::$reuseDB ) {
1419 $db->tablePrefix( $prefix );
1420 return false;
1421 }
1422
1423 if ( !isset( $db->_originalTablePrefix ) ) {
1424 $oldPrefix = $db->tablePrefix();
1425
1426 if ( $oldPrefix === $prefix ) {
1427 // table already has the correct prefix, but presumably no cloned tables
1428 $oldPrefix = self::$oldTablePrefix;
1429 }
1430
1431 $db->tablePrefix( $oldPrefix );
1432 $tablesCloned = self::listTables( $db );
1433 $dbClone = new CloneDatabase( $db, $tablesCloned, $prefix, $oldPrefix );
1434 $dbClone->useTemporaryTables( self::$useTemporaryTables );
1435
1436 $dbClone->cloneTableStructure();
1437
1438 $db->tablePrefix( $prefix );
1439 $db->_originalTablePrefix = $oldPrefix;
1440 }
1441
1442 return true;
1443 }
1444
1445 /**
1446 * Set up all test DBs
1447 */
1448 public function setupAllTestDBs() {
1449 global $wgDBprefix;
1450
1451 self::$oldTablePrefix = $wgDBprefix;
1452
1453 $testPrefix = $this->dbPrefix();
1454
1455 // switch to a temporary clone of the database
1456 self::setupTestDB( $this->db, $testPrefix );
1457
1458 if ( self::isUsingExternalStoreDB() ) {
1459 self::setupExternalStoreTestDBs( $testPrefix );
1460 }
1461
1462 // NOTE: Change the prefix in the LBFactory and $wgDBprefix, to prevent
1463 // *any* database connections to operate on live data.
1464 CloneDatabase::changePrefix( $testPrefix );
1465 }
1466
1467 /**
1468 * Creates an empty skeleton of the wiki database by cloning its structure
1469 * to equivalent tables using the given $prefix. Then sets MediaWiki to
1470 * use the new set of tables (aka schema) instead of the original set.
1471 *
1472 * This is used to generate a dummy table set, typically consisting of temporary
1473 * tables, that will be used by tests instead of the original wiki database tables.
1474 *
1475 * @since 1.21
1476 *
1477 * @note the original table prefix is stored in self::$oldTablePrefix. This is used
1478 * by teardownTestDB() to return the wiki to using the original table set.
1479 *
1480 * @note this method only works when first called. Subsequent calls have no effect,
1481 * even if using different parameters.
1482 *
1483 * @param IMaintainableDatabase $db The database connection
1484 * @param string $prefix The prefix to use for the new table set (aka schema).
1485 *
1486 * @throws MWException If the database table prefix is already $prefix
1487 */
1488 public static function setupTestDB( IMaintainableDatabase $db, $prefix ) {
1489 if ( self::$dbSetup ) {
1490 return;
1491 }
1492
1493 if ( $db->tablePrefix() === $prefix ) {
1494 throw new MWException(
1495 'Cannot run unit tests, the database prefix is already "' . $prefix . '"' );
1496 }
1497
1498 // TODO: the below should be re-written as soon as LBFactory, LoadBalancer,
1499 // and Database no longer use global state.
1500
1501 self::$dbSetup = true;
1502
1503 if ( !self::setupDatabaseWithTestPrefix( $db, $prefix ) ) {
1504 return;
1505 }
1506
1507 // Assuming this isn't needed for External Store database, and not sure if the procedure
1508 // would be available there.
1509 if ( $db->getType() == 'oracle' ) {
1510 $db->query( 'BEGIN FILL_WIKI_INFO; END;', __METHOD__ );
1511 }
1512
1513 Hooks::run( 'UnitTestsAfterDatabaseSetup', [ $db, $prefix ] );
1514 }
1515
1516 /**
1517 * Clones the External Store database(s) for testing
1518 *
1519 * @param string|null $testPrefix Prefix for test tables. Will be determined automatically
1520 * if not given.
1521 */
1522 protected static function setupExternalStoreTestDBs( $testPrefix = null ) {
1523 $connections = self::getExternalStoreDatabaseConnections();
1524 foreach ( $connections as $dbw ) {
1525 self::setupDatabaseWithTestPrefix( $dbw, $testPrefix );
1526 }
1527 }
1528
1529 /**
1530 * Gets master database connections for all of the ExternalStoreDB
1531 * stores configured in $wgDefaultExternalStore.
1532 *
1533 * @return Database[] Array of Database master connections
1534 */
1535 protected static function getExternalStoreDatabaseConnections() {
1536 global $wgDefaultExternalStore;
1537
1538 /** @var ExternalStoreDB $externalStoreDB */
1539 $externalStoreDB = ExternalStore::getStoreObject( 'DB' );
1540 $defaultArray = (array)$wgDefaultExternalStore;
1541 $dbws = [];
1542 foreach ( $defaultArray as $url ) {
1543 if ( strpos( $url, 'DB://' ) === 0 ) {
1544 list( $proto, $cluster ) = explode( '://', $url, 2 );
1545 // Avoid getMaster() because setupDatabaseWithTestPrefix()
1546 // requires Database instead of plain DBConnRef/IDatabase
1547 $dbws[] = $externalStoreDB->getMaster( $cluster );
1548 }
1549 }
1550
1551 return $dbws;
1552 }
1553
1554 /**
1555 * Check whether ExternalStoreDB is being used
1556 *
1557 * @return bool True if it's being used
1558 */
1559 protected static function isUsingExternalStoreDB() {
1560 global $wgDefaultExternalStore;
1561 if ( !$wgDefaultExternalStore ) {
1562 return false;
1563 }
1564
1565 $defaultArray = (array)$wgDefaultExternalStore;
1566 foreach ( $defaultArray as $url ) {
1567 if ( strpos( $url, 'DB://' ) === 0 ) {
1568 return true;
1569 }
1570 }
1571
1572 return false;
1573 }
1574
1575 /**
1576 * @throws LogicException if the given database connection is not a set up to use
1577 * mock tables.
1578 *
1579 * @since 1.31 this is no longer private.
1580 */
1581 protected function ensureMockDatabaseConnection( IDatabase $db ) {
1582 if ( $db->tablePrefix() !== $this->dbPrefix() ) {
1583 throw new LogicException(
1584 'Trying to delete mock tables, but table prefix does not indicate a mock database.'
1585 );
1586 }
1587 }
1588
1589 private static $schemaOverrideDefaults = [
1590 'scripts' => [],
1591 'create' => [],
1592 'drop' => [],
1593 'alter' => [],
1594 ];
1595
1596 /**
1597 * Stub. If a test suite needs to test against a specific database schema, it should
1598 * override this method and return the appropriate information from it.
1599 *
1600 * @param IMaintainableDatabase $db The DB connection to use for the mock schema.
1601 * May be used to check the current state of the schema, to determine what
1602 * overrides are needed.
1603 *
1604 * @return array An associative array with the following fields:
1605 * - 'scripts': any SQL scripts to run. If empty or not present, schema overrides are skipped.
1606 * - 'create': A list of tables created (may or may not exist in the original schema).
1607 * - 'drop': A list of tables dropped (expected to be present in the original schema).
1608 * - 'alter': A list of tables altered (expected to be present in the original schema).
1609 */
1610 protected function getSchemaOverrides( IMaintainableDatabase $db ) {
1611 return [];
1612 }
1613
1614 /**
1615 * Undoes the specified schema overrides..
1616 * Called once per test class, just before addDataOnce().
1617 *
1618 * @param IMaintainableDatabase $db
1619 * @param array $oldOverrides
1620 */
1621 private function undoSchemaOverrides( IMaintainableDatabase $db, $oldOverrides ) {
1622 $this->ensureMockDatabaseConnection( $db );
1623
1624 $oldOverrides = $oldOverrides + self::$schemaOverrideDefaults;
1625 $originalTables = $this->listOriginalTables( $db );
1626
1627 // Drop tables that need to be restored or removed.
1628 $tablesToDrop = array_merge( $oldOverrides['create'], $oldOverrides['alter'] );
1629
1630 // Restore tables that have been dropped or created or altered,
1631 // if they exist in the original schema.
1632 $tablesToRestore = array_merge( $tablesToDrop, $oldOverrides['drop'] );
1633 $tablesToRestore = array_intersect( $originalTables, $tablesToRestore );
1634
1635 if ( $tablesToDrop ) {
1636 $this->dropMockTables( $db, $tablesToDrop );
1637 }
1638
1639 if ( $tablesToRestore ) {
1640 $this->recloneMockTables( $db, $tablesToRestore );
1641
1642 // Reset the restored tables, mainly for the side effect of
1643 // re-calling $this->addCoreDBData() if necessary.
1644 $this->resetDB( $db, $tablesToRestore );
1645 }
1646 }
1647
1648 /**
1649 * Applies the schema overrides returned by getSchemaOverrides(),
1650 * after undoing any previously applied schema overrides.
1651 * Called once per test class, just before addDataOnce().
1652 */
1653 private function setUpSchema( IMaintainableDatabase $db ) {
1654 // Undo any active overrides.
1655 $oldOverrides = $db->_schemaOverrides ?? self::$schemaOverrideDefaults;
1656
1657 if ( $oldOverrides['alter'] || $oldOverrides['create'] || $oldOverrides['drop'] ) {
1658 $this->undoSchemaOverrides( $db, $oldOverrides );
1659 unset( $db->_schemaOverrides );
1660 }
1661
1662 // Determine new overrides.
1663 $overrides = $this->getSchemaOverrides( $db ) + self::$schemaOverrideDefaults;
1664
1665 $extraKeys = array_diff(
1666 array_keys( $overrides ),
1667 array_keys( self::$schemaOverrideDefaults )
1668 );
1669
1670 if ( $extraKeys ) {
1671 throw new InvalidArgumentException(
1672 'Schema override contains extra keys: ' . var_export( $extraKeys, true )
1673 );
1674 }
1675
1676 if ( !$overrides['scripts'] ) {
1677 // no scripts to run
1678 return;
1679 }
1680
1681 if ( !$overrides['create'] && !$overrides['drop'] && !$overrides['alter'] ) {
1682 throw new InvalidArgumentException(
1683 'Schema override scripts given, but no tables are declared to be '
1684 . 'created, dropped or altered.'
1685 );
1686 }
1687
1688 $this->ensureMockDatabaseConnection( $db );
1689
1690 // Drop the tables that will be created by the schema scripts.
1691 $originalTables = $this->listOriginalTables( $db );
1692 $tablesToDrop = array_intersect( $originalTables, $overrides['create'] );
1693
1694 if ( $tablesToDrop ) {
1695 $this->dropMockTables( $db, $tablesToDrop );
1696 }
1697
1698 // Run schema override scripts.
1699 foreach ( $overrides['scripts'] as $script ) {
1700 $db->sourceFile(
1701 $script,
1702 null,
1703 null,
1704 __METHOD__,
1705 function ( $cmd ) {
1706 return $this->mungeSchemaUpdateQuery( $cmd );
1707 }
1708 );
1709 }
1710
1711 $db->_schemaOverrides = $overrides;
1712 }
1713
1714 private function mungeSchemaUpdateQuery( $cmd ) {
1715 return self::$useTemporaryTables
1716 ? preg_replace( '/\bCREATE\s+TABLE\b/i', 'CREATE TEMPORARY TABLE', $cmd )
1717 : $cmd;
1718 }
1719
1720 /**
1721 * Drops the given mock tables.
1722 *
1723 * @param IMaintainableDatabase $db
1724 * @param array $tables
1725 */
1726 private function dropMockTables( IMaintainableDatabase $db, array $tables ) {
1727 $this->ensureMockDatabaseConnection( $db );
1728
1729 foreach ( $tables as $tbl ) {
1730 $tbl = $db->tableName( $tbl );
1731 $db->query( "DROP TABLE IF EXISTS $tbl", __METHOD__ );
1732 }
1733 }
1734
1735 /**
1736 * Lists all tables in the live database schema, without a prefix.
1737 *
1738 * @param IMaintainableDatabase $db
1739 * @return array
1740 */
1741 private function listOriginalTables( IMaintainableDatabase $db ) {
1742 if ( !isset( $db->_originalTablePrefix ) ) {
1743 throw new LogicException( 'No original table prefix know, cannot list tables!' );
1744 }
1745
1746 $originalTables = $db->listTables( $db->_originalTablePrefix, __METHOD__ );
1747
1748 $unittestPrefixRegex = '/^' . preg_quote( $this->dbPrefix(), '/' ) . '/';
1749 $originalPrefixRegex = '/^' . preg_quote( $db->_originalTablePrefix, '/' ) . '/';
1750
1751 $originalTables = array_filter(
1752 $originalTables,
1753 function ( $pt ) use ( $unittestPrefixRegex ) {
1754 return !preg_match( $unittestPrefixRegex, $pt );
1755 }
1756 );
1757
1758 $originalTables = array_map(
1759 function ( $pt ) use ( $originalPrefixRegex ) {
1760 return preg_replace( $originalPrefixRegex, '', $pt );
1761 },
1762 $originalTables
1763 );
1764
1765 return array_unique( $originalTables );
1766 }
1767
1768 /**
1769 * Re-clones the given mock tables to restore them based on the live database schema.
1770 * The tables listed in $tables are expected to currently not exist, so dropMockTables()
1771 * should be called first.
1772 *
1773 * @param IMaintainableDatabase $db
1774 * @param array $tables
1775 */
1776 private function recloneMockTables( IMaintainableDatabase $db, array $tables ) {
1777 $this->ensureMockDatabaseConnection( $db );
1778
1779 if ( !isset( $db->_originalTablePrefix ) ) {
1780 throw new LogicException( 'No original table prefix know, cannot restore tables!' );
1781 }
1782
1783 $originalTables = $this->listOriginalTables( $db );
1784 $tables = array_intersect( $tables, $originalTables );
1785
1786 $dbClone = new CloneDatabase( $db, $tables, $db->tablePrefix(), $db->_originalTablePrefix );
1787 $dbClone->useTemporaryTables( self::$useTemporaryTables );
1788
1789 $dbClone->cloneTableStructure();
1790 }
1791
1792 /**
1793 * Empty all tables so they can be repopulated for tests
1794 *
1795 * @param Database $db|null Database to reset
1796 * @param array $tablesUsed Tables to reset
1797 */
1798 private function resetDB( $db, $tablesUsed ) {
1799 if ( $db ) {
1800 $userTables = [ 'user', 'user_groups', 'user_properties', 'actor' ];
1801 $pageTables = [
1802 'page', 'revision', 'ip_changes', 'revision_comment_temp', 'comment', 'archive',
1803 'revision_actor_temp', 'slots', 'content', 'content_models', 'slot_roles',
1804 ];
1805 $coreDBDataTables = array_merge( $userTables, $pageTables );
1806
1807 // If any of the user or page tables were marked as used, we should clear all of them.
1808 if ( array_intersect( $tablesUsed, $userTables ) ) {
1809 $tablesUsed = array_unique( array_merge( $tablesUsed, $userTables ) );
1810 TestUserRegistry::clear();
1811
1812 // Reset $wgUser, which is probably 127.0.0.1, as its loaded data is probably not valid
1813 // @todo Should we start setting $wgUser to something nondeterministic
1814 // to encourage tests to be updated to not depend on it?
1815 global $wgUser;
1816 $wgUser->clearInstanceCache( $wgUser->mFrom );
1817 }
1818 if ( array_intersect( $tablesUsed, $pageTables ) ) {
1819 $tablesUsed = array_unique( array_merge( $tablesUsed, $pageTables ) );
1820 }
1821
1822 // Postgres, Oracle, and MSSQL all use mwuser/pagecontent
1823 // instead of user/text. But Postgres does not remap the
1824 // table name in tableExists(), so we mark the real table
1825 // names as being used.
1826 if ( $db->getType() === 'postgres' ) {
1827 if ( in_array( 'user', $tablesUsed ) ) {
1828 $tablesUsed[] = 'mwuser';
1829 }
1830 if ( in_array( 'text', $tablesUsed ) ) {
1831 $tablesUsed[] = 'pagecontent';
1832 }
1833 }
1834
1835 foreach ( $tablesUsed as $tbl ) {
1836 $this->truncateTable( $tbl, $db );
1837 }
1838
1839 if ( array_intersect( $tablesUsed, $coreDBDataTables ) ) {
1840 // Reset services that may contain information relating to the truncated tables
1841 $this->overrideMwServices();
1842 // Re-add core DB data that was deleted
1843 $this->addCoreDBData();
1844 }
1845 }
1846 }
1847
1848 /**
1849 * Empties the given table and resets any auto-increment counters.
1850 * Will also purge caches associated with some well known tables.
1851 * If the table is not know, this method just returns.
1852 *
1853 * @param string $tableName
1854 * @param IDatabase|null $db
1855 */
1856 protected function truncateTable( $tableName, IDatabase $db = null ) {
1857 if ( !$db ) {
1858 $db = $this->db;
1859 }
1860
1861 if ( !$db->tableExists( $tableName ) ) {
1862 return;
1863 }
1864
1865 $truncate = in_array( $db->getType(), [ 'oracle', 'mysql' ] );
1866
1867 if ( $truncate ) {
1868 $db->query( 'TRUNCATE TABLE ' . $db->tableName( $tableName ), __METHOD__ );
1869 } else {
1870 $db->delete( $tableName, '*', __METHOD__ );
1871 }
1872
1873 if ( $db instanceof DatabasePostgres || $db instanceof DatabaseSqlite ) {
1874 // Reset the table's sequence too.
1875 $db->resetSequenceForTable( $tableName, __METHOD__ );
1876 }
1877
1878 // re-initialize site_stats table
1879 if ( $tableName === 'site_stats' ) {
1880 SiteStatsInit::doPlaceholderInit();
1881 }
1882 }
1883
1884 private static function unprefixTable( &$tableName, $ind, $prefix ) {
1885 $tableName = substr( $tableName, strlen( $prefix ) );
1886 }
1887
1888 private static function isNotUnittest( $table ) {
1889 return strpos( $table, self::DB_PREFIX ) !== 0;
1890 }
1891
1892 /**
1893 * @since 1.18
1894 *
1895 * @param IMaintainableDatabase $db
1896 *
1897 * @return array
1898 */
1899 public static function listTables( IMaintainableDatabase $db ) {
1900 $prefix = $db->tablePrefix();
1901 $tables = $db->listTables( $prefix, __METHOD__ );
1902
1903 if ( $db->getType() === 'mysql' ) {
1904 static $viewListCache = null;
1905 if ( $viewListCache === null ) {
1906 $viewListCache = $db->listViews( null, __METHOD__ );
1907 }
1908 // T45571: cannot clone VIEWs under MySQL
1909 $tables = array_diff( $tables, $viewListCache );
1910 }
1911 array_walk( $tables, [ __CLASS__, 'unprefixTable' ], $prefix );
1912
1913 // Don't duplicate test tables from the previous fataled run
1914 $tables = array_filter( $tables, [ __CLASS__, 'isNotUnittest' ] );
1915
1916 if ( $db->getType() == 'sqlite' ) {
1917 $tables = array_flip( $tables );
1918 // these are subtables of searchindex and don't need to be duped/dropped separately
1919 unset( $tables['searchindex_content'] );
1920 unset( $tables['searchindex_segdir'] );
1921 unset( $tables['searchindex_segments'] );
1922 $tables = array_flip( $tables );
1923 }
1924
1925 return $tables;
1926 }
1927
1928 /**
1929 * Copy test data from one database connection to another.
1930 *
1931 * This should only be used for small data sets.
1932 *
1933 * @param IDatabase $source
1934 * @param IDatabase $target
1935 */
1936 public function copyTestData( IDatabase $source, IDatabase $target ) {
1937 if ( $this->db->getType() === 'sqlite' ) {
1938 // SQLite uses a non-temporary copy of the searchindex table for testing,
1939 // which gets deleted and re-created when setting up the secondary connection,
1940 // causing "Error 17" when trying to copy the data. See T191863#4130112.
1941 throw new RuntimeException(
1942 'Setting up a secondary database connection with test data is currently not'
1943 . 'with SQLite. You may want to use markTestSkippedIfDbType() to bypass this issue.'
1944 );
1945 }
1946
1947 $tables = self::listOriginalTables( $source );
1948
1949 foreach ( $tables as $table ) {
1950 $res = $source->select( $table, '*', [], __METHOD__ );
1951 $allRows = [];
1952
1953 foreach ( $res as $row ) {
1954 $allRows[] = (array)$row;
1955 }
1956
1957 $target->insert( $table, $allRows, __METHOD__, [ 'IGNORE' ] );
1958 }
1959 }
1960
1961 /**
1962 * @throws MWException
1963 * @since 1.18
1964 */
1965 protected function checkDbIsSupported() {
1966 if ( !in_array( $this->db->getType(), $this->supportedDBs ) ) {
1967 throw new MWException( $this->db->getType() . " is not currently supported for unit testing." );
1968 }
1969 }
1970
1971 /**
1972 * @since 1.18
1973 * @param string $offset
1974 * @return mixed
1975 */
1976 public function getCliArg( $offset ) {
1977 return $this->cliArgs[$offset] ?? null;
1978 }
1979
1980 /**
1981 * @since 1.18
1982 * @param string $offset
1983 * @param mixed $value
1984 */
1985 public function setCliArg( $offset, $value ) {
1986 $this->cliArgs[$offset] = $value;
1987 }
1988
1989 /**
1990 * Don't throw a warning if $function is deprecated and called later
1991 *
1992 * @since 1.19
1993 *
1994 * @param string $function
1995 */
1996 public function hideDeprecated( $function ) {
1997 Wikimedia\suppressWarnings();
1998 wfDeprecated( $function );
1999 Wikimedia\restoreWarnings();
2000 }
2001
2002 /**
2003 * Asserts that the given database query yields the rows given by $expectedRows.
2004 * The expected rows should be given as indexed (not associative) arrays, with
2005 * the values given in the order of the columns in the $fields parameter.
2006 * Note that the rows are sorted by the columns given in $fields.
2007 *
2008 * @since 1.20
2009 *
2010 * @param string|array $table The table(s) to query
2011 * @param string|array $fields The columns to include in the result (and to sort by)
2012 * @param string|array $condition "where" condition(s)
2013 * @param array $expectedRows An array of arrays giving the expected rows.
2014 * @param array $options Options for the query
2015 * @param array $join_conds Join conditions for the query
2016 *
2017 * @throws MWException If this test cases's needsDB() method doesn't return true.
2018 * Test cases can use "@group Database" to enable database test support,
2019 * or list the tables under testing in $this->tablesUsed, or override the
2020 * needsDB() method.
2021 */
2022 protected function assertSelect(
2023 $table, $fields, $condition, array $expectedRows, array $options = [], array $join_conds = []
2024 ) {
2025 if ( !$this->needsDB() ) {
2026 throw new MWException( 'When testing database state, the test cases\'s needDB()' .
2027 ' method should return true. Use @group Database or $this->tablesUsed.' );
2028 }
2029
2030 $db = wfGetDB( DB_REPLICA );
2031
2032 $res = $db->select(
2033 $table,
2034 $fields,
2035 $condition,
2036 wfGetCaller(),
2037 $options + [ 'ORDER BY' => $fields ],
2038 $join_conds
2039 );
2040 $this->assertNotEmpty( $res, "query failed: " . $db->lastError() );
2041
2042 $i = 0;
2043
2044 foreach ( $expectedRows as $expected ) {
2045 $r = $res->fetchRow();
2046 self::stripStringKeys( $r );
2047
2048 $i += 1;
2049 $this->assertNotEmpty( $r, "row #$i missing" );
2050
2051 $this->assertEquals( $expected, $r, "row #$i mismatches" );
2052 }
2053
2054 $r = $res->fetchRow();
2055 self::stripStringKeys( $r );
2056
2057 $this->assertFalse( $r, "found extra row (after #$i)" );
2058 }
2059
2060 /**
2061 * Utility method taking an array of elements and wrapping
2062 * each element in its own array. Useful for data providers
2063 * that only return a single argument.
2064 *
2065 * @since 1.20
2066 *
2067 * @param array $elements
2068 *
2069 * @return array
2070 */
2071 protected function arrayWrap( array $elements ) {
2072 return array_map(
2073 function ( $element ) {
2074 return [ $element ];
2075 },
2076 $elements
2077 );
2078 }
2079
2080 /**
2081 * Assert that two arrays are equal. By default this means that both arrays need to hold
2082 * the same set of values. Using additional arguments, order and associated key can also
2083 * be set as relevant.
2084 *
2085 * @since 1.20
2086 *
2087 * @param array $expected
2088 * @param array $actual
2089 * @param bool $ordered If the order of the values should match
2090 * @param bool $named If the keys should match
2091 */
2092 protected function assertArrayEquals( array $expected, array $actual,
2093 $ordered = false, $named = false
2094 ) {
2095 if ( !$ordered ) {
2096 $this->objectAssociativeSort( $expected );
2097 $this->objectAssociativeSort( $actual );
2098 }
2099
2100 if ( !$named ) {
2101 $expected = array_values( $expected );
2102 $actual = array_values( $actual );
2103 }
2104
2105 call_user_func_array(
2106 [ $this, 'assertEquals' ],
2107 array_merge( [ $expected, $actual ], array_slice( func_get_args(), 4 ) )
2108 );
2109 }
2110
2111 /**
2112 * Put each HTML element on its own line and then equals() the results
2113 *
2114 * Use for nicely formatting of PHPUnit diff output when comparing very
2115 * simple HTML
2116 *
2117 * @since 1.20
2118 *
2119 * @param string $expected HTML on oneline
2120 * @param string $actual HTML on oneline
2121 * @param string $msg Optional message
2122 */
2123 protected function assertHTMLEquals( $expected, $actual, $msg = '' ) {
2124 $expected = str_replace( '>', ">\n", $expected );
2125 $actual = str_replace( '>', ">\n", $actual );
2126
2127 $this->assertEquals( $expected, $actual, $msg );
2128 }
2129
2130 /**
2131 * Does an associative sort that works for objects.
2132 *
2133 * @since 1.20
2134 *
2135 * @param array &$array
2136 */
2137 protected function objectAssociativeSort( array &$array ) {
2138 uasort(
2139 $array,
2140 function ( $a, $b ) {
2141 return serialize( $a ) <=> serialize( $b );
2142 }
2143 );
2144 }
2145
2146 /**
2147 * Utility function for eliminating all string keys from an array.
2148 * Useful to turn a database result row as returned by fetchRow() into
2149 * a pure indexed array.
2150 *
2151 * @since 1.20
2152 *
2153 * @param mixed &$r The array to remove string keys from.
2154 */
2155 protected static function stripStringKeys( &$r ) {
2156 if ( !is_array( $r ) ) {
2157 return;
2158 }
2159
2160 foreach ( $r as $k => $v ) {
2161 if ( is_string( $k ) ) {
2162 unset( $r[$k] );
2163 }
2164 }
2165 }
2166
2167 /**
2168 * Asserts that the provided variable is of the specified
2169 * internal type or equals the $value argument. This is useful
2170 * for testing return types of functions that return a certain
2171 * type or *value* when not set or on error.
2172 *
2173 * @since 1.20
2174 *
2175 * @param string $type
2176 * @param mixed $actual
2177 * @param mixed $value
2178 * @param string $message
2179 */
2180 protected function assertTypeOrValue( $type, $actual, $value = false, $message = '' ) {
2181 if ( $actual === $value ) {
2182 $this->assertTrue( true, $message );
2183 } else {
2184 $this->assertType( $type, $actual, $message );
2185 }
2186 }
2187
2188 /**
2189 * Asserts the type of the provided value. This can be either
2190 * in internal type such as boolean or integer, or a class or
2191 * interface the value extends or implements.
2192 *
2193 * @since 1.20
2194 *
2195 * @param string $type
2196 * @param mixed $actual
2197 * @param string $message
2198 */
2199 protected function assertType( $type, $actual, $message = '' ) {
2200 if ( class_exists( $type ) || interface_exists( $type ) ) {
2201 $this->assertInstanceOf( $type, $actual, $message );
2202 } else {
2203 $this->assertInternalType( $type, $actual, $message );
2204 }
2205 }
2206
2207 /**
2208 * Returns true if the given namespace defaults to Wikitext
2209 * according to $wgNamespaceContentModels
2210 *
2211 * @param int $ns The namespace ID to check
2212 *
2213 * @return bool
2214 * @since 1.21
2215 */
2216 protected function isWikitextNS( $ns ) {
2217 global $wgNamespaceContentModels;
2218
2219 if ( isset( $wgNamespaceContentModels[$ns] ) ) {
2220 return $wgNamespaceContentModels[$ns] === CONTENT_MODEL_WIKITEXT;
2221 }
2222
2223 return true;
2224 }
2225
2226 /**
2227 * Returns the ID of a namespace that defaults to Wikitext.
2228 *
2229 * @throws MWException If there is none.
2230 * @return int The ID of the wikitext Namespace
2231 * @since 1.21
2232 */
2233 protected function getDefaultWikitextNS() {
2234 global $wgNamespaceContentModels;
2235
2236 static $wikitextNS = null; // this is not going to change
2237 if ( $wikitextNS !== null ) {
2238 return $wikitextNS;
2239 }
2240
2241 // quickly short out on most common case:
2242 if ( !isset( $wgNamespaceContentModels[NS_MAIN] ) ) {
2243 return NS_MAIN;
2244 }
2245
2246 // NOTE: prefer content namespaces
2247 $nsInfo = MediaWikiServices::getInstance()->getNamespaceInfo();
2248 $namespaces = array_unique( array_merge(
2249 $nsInfo->getContentNamespaces(),
2250 [ NS_MAIN, NS_HELP, NS_PROJECT ], // prefer these
2251 $nsInfo->getValidNamespaces()
2252 ) );
2253
2254 $namespaces = array_diff( $namespaces, [
2255 NS_FILE, NS_CATEGORY, NS_MEDIAWIKI, NS_USER // don't mess with magic namespaces
2256 ] );
2257
2258 $talk = array_filter( $namespaces, function ( $ns ) use ( $nsInfo ) {
2259 return $nsInfo->isTalk( $ns );
2260 } );
2261
2262 // prefer non-talk pages
2263 $namespaces = array_diff( $namespaces, $talk );
2264 $namespaces = array_merge( $namespaces, $talk );
2265
2266 // check default content model of each namespace
2267 foreach ( $namespaces as $ns ) {
2268 if ( !isset( $wgNamespaceContentModels[$ns] ) ||
2269 $wgNamespaceContentModels[$ns] === CONTENT_MODEL_WIKITEXT
2270 ) {
2271 $wikitextNS = $ns;
2272
2273 return $wikitextNS;
2274 }
2275 }
2276
2277 // give up
2278 // @todo Inside a test, we could skip the test as incomplete.
2279 // But frequently, this is used in fixture setup.
2280 throw new MWException( "No namespace defaults to wikitext!" );
2281 }
2282
2283 /**
2284 * Check, if $wgDiff3 is set and ready to merge
2285 * Will mark the calling test as skipped, if not ready
2286 *
2287 * @since 1.21
2288 */
2289 protected function markTestSkippedIfNoDiff3() {
2290 global $wgDiff3;
2291
2292 # This check may also protect against code injection in
2293 # case of broken installations.
2294 Wikimedia\suppressWarnings();
2295 $haveDiff3 = $wgDiff3 && file_exists( $wgDiff3 );
2296 Wikimedia\restoreWarnings();
2297
2298 if ( !$haveDiff3 ) {
2299 $this->markTestSkipped( "Skip test, since diff3 is not configured" );
2300 }
2301 }
2302
2303 /**
2304 * Check if $extName is a loaded PHP extension, will skip the
2305 * test whenever it is not loaded.
2306 *
2307 * @since 1.21
2308 * @param string $extName
2309 * @return bool
2310 */
2311 protected function checkPHPExtension( $extName ) {
2312 $loaded = extension_loaded( $extName );
2313 if ( !$loaded ) {
2314 $this->markTestSkipped( "PHP extension '$extName' is not loaded, skipping." );
2315 }
2316
2317 return $loaded;
2318 }
2319
2320 /**
2321 * Skip the test if using the specified database type
2322 *
2323 * @param string $type Database type
2324 * @since 1.32
2325 */
2326 protected function markTestSkippedIfDbType( $type ) {
2327 if ( $this->db->getType() === $type ) {
2328 $this->markTestSkipped( "The $type database type isn't supported for this test" );
2329 }
2330 }
2331
2332 /**
2333 * Used as a marker to prevent wfResetOutputBuffers from breaking PHPUnit.
2334 * @param string $buffer
2335 * @return string
2336 */
2337 public static function wfResetOutputBuffersBarrier( $buffer ) {
2338 return $buffer;
2339 }
2340
2341 /**
2342 * Create a temporary hook handler which will be reset by tearDown.
2343 * This replaces other handlers for the same hook.
2344 * @param string $hookName Hook name
2345 * @param mixed $handler Value suitable for a hook handler
2346 * @since 1.28
2347 */
2348 protected function setTemporaryHook( $hookName, $handler ) {
2349 $this->mergeMwGlobalArrayValue( 'wgHooks', [ $hookName => [ $handler ] ] );
2350 }
2351
2352 /**
2353 * Check whether file contains given data.
2354 * @param string $fileName
2355 * @param string $actualData
2356 * @param bool $createIfMissing If true, and file does not exist, create it with given data
2357 * and skip the test.
2358 * @param string $msg
2359 * @since 1.30
2360 */
2361 protected function assertFileContains(
2362 $fileName,
2363 $actualData,
2364 $createIfMissing = false,
2365 $msg = ''
2366 ) {
2367 if ( $createIfMissing ) {
2368 if ( !file_exists( $fileName ) ) {
2369 file_put_contents( $fileName, $actualData );
2370 $this->markTestSkipped( 'Data file $fileName does not exist' );
2371 }
2372 } else {
2373 self::assertFileExists( $fileName );
2374 }
2375 self::assertEquals( file_get_contents( $fileName ), $actualData, $msg );
2376 }
2377
2378 /**
2379 * Edits or creates a page/revision
2380 * @param string $pageName Page title
2381 * @param string $text Content of the page
2382 * @param string $summary Optional summary string for the revision
2383 * @param int $defaultNs Optional namespace id
2384 * @return Status Object as returned by WikiPage::doEditContent()
2385 * @throws MWException If this test cases's needsDB() method doesn't return true.
2386 * Test cases can use "@group Database" to enable database test support,
2387 * or list the tables under testing in $this->tablesUsed, or override the
2388 * needsDB() method.
2389 */
2390 protected function editPage( $pageName, $text, $summary = '', $defaultNs = NS_MAIN ) {
2391 if ( !$this->needsDB() ) {
2392 throw new MWException( 'When testing which pages, the test cases\'s needsDB()' .
2393 ' method should return true. Use @group Database or $this->tablesUsed.' );
2394 }
2395
2396 $title = Title::newFromText( $pageName, $defaultNs );
2397 $page = WikiPage::factory( $title );
2398
2399 return $page->doEditContent( ContentHandler::makeContent( $text, $title ), $summary );
2400 }
2401
2402 /**
2403 * Revision-deletes a revision.
2404 *
2405 * @param Revision|int $rev Revision to delete
2406 * @param array $value Keys are Revision::DELETED_* flags. Values are 1 to set the bit, 0 to
2407 * clear, -1 to leave alone. (All other values also clear the bit.)
2408 * @param string $comment Deletion comment
2409 */
2410 protected function revisionDelete(
2411 $rev, array $value = [ Revision::DELETED_TEXT => 1 ], $comment = ''
2412 ) {
2413 if ( is_int( $rev ) ) {
2414 $rev = Revision::newFromId( $rev );
2415 }
2416 RevisionDeleter::createList(
2417 'revision', RequestContext::getMain(), $rev->getTitle(), [ $rev->getId() ]
2418 )->setVisibility( [
2419 'value' => $value,
2420 'comment' => $comment,
2421 ] );
2422 }
2423
2424 /**
2425 * Returns a PHPUnit constraint that matches anything other than a fixed set of values. This can
2426 * be used to whitelist values, e.g.
2427 * $mock->expects( $this->never() )->method( $this->anythingBut( 'foo', 'bar' ) );
2428 * which will throw if any unexpected method is called.
2429 *
2430 * @param mixed ...$values Values that are not matched
2431 */
2432 protected function anythingBut( ...$values ) {
2433 return $this->logicalNot( $this->logicalOr(
2434 ...array_map( [ $this, 'matches' ], $values )
2435 ) );
2436 }
2437 }