Localisation updates from https://translatewiki.net.
[mediawiki.git] / includes / installer / Installer.php
blob662469b91382f6150e475eb5cb8882e9c803589c
1 <?php
2 /**
3 * Base code for MediaWiki installer.
5 * This program is free software; you can redistribute it and/or modify
6 * it under the terms of the GNU General Public License as published by
7 * the Free Software Foundation; either version 2 of the License, or
8 * (at your option) any later version.
10 * This program is distributed in the hope that it will be useful,
11 * but WITHOUT ANY WARRANTY; without even the implied warranty of
12 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 * GNU General Public License for more details.
15 * You should have received a copy of the GNU General Public License along
16 * with this program; if not, write to the Free Software Foundation, Inc.,
17 * 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
18 * http://www.gnu.org/copyleft/gpl.html
20 * @file
21 * @ingroup Deployment
24 /**
25 * This documentation group collects source code files with deployment functionality.
27 * @defgroup Deployment Deployment
30 /**
31 * Base installer class.
33 * This class provides the base for installation and update functionality
34 * for both MediaWiki core and extensions.
36 * @ingroup Deployment
37 * @since 1.17
39 abstract class Installer {
41 /**
42 * The oldest version of PCRE we can support.
44 * Defining this is necessary because PHP may be linked with a system version
45 * of PCRE, which may be older than that bundled with the minimum PHP version.
47 const MINIMUM_PCRE_VERSION = '7.2';
49 /**
50 * @var array
52 protected $settings;
54 /**
55 * List of detected DBs, access using getCompiledDBs().
57 * @var array
59 protected $compiledDBs;
61 /**
62 * Cached DB installer instances, access using getDBInstaller().
64 * @var array
66 protected $dbInstallers = array();
68 /**
69 * Minimum memory size in MB.
71 * @var int
73 protected $minMemorySize = 50;
75 /**
76 * Cached Title, used by parse().
78 * @var Title
80 protected $parserTitle;
82 /**
83 * Cached ParserOptions, used by parse().
85 * @var ParserOptions
87 protected $parserOptions;
89 /**
90 * Known database types. These correspond to the class names <type>Installer,
91 * and are also MediaWiki database types valid for $wgDBtype.
93 * To add a new type, create a <type>Installer class and a Database<type>
94 * class, and add a config-type-<type> message to MessagesEn.php.
96 * @var array
98 protected static $dbTypes = array(
99 'mysql',
100 'postgres',
101 'oracle',
102 'mssql',
103 'sqlite',
107 * A list of environment check methods called by doEnvironmentChecks().
108 * These may output warnings using showMessage(), and/or abort the
109 * installation process by returning false.
111 * For the WebInstaller these are only called on the Welcome page,
112 * if these methods have side-effects that should affect later page loads
113 * (as well as the generated stylesheet), use envPreps instead.
115 * @var array
117 protected $envChecks = array(
118 'envCheckDB',
119 'envCheckRegisterGlobals',
120 'envCheckBrokenXML',
121 'envCheckMagicQuotes',
122 'envCheckMbstring',
123 'envCheckSafeMode',
124 'envCheckXML',
125 'envCheckPCRE',
126 'envCheckMemory',
127 'envCheckCache',
128 'envCheckModSecurity',
129 'envCheckDiff3',
130 'envCheckGraphics',
131 'envCheckGit',
132 'envCheckServer',
133 'envCheckPath',
134 'envCheckShellLocale',
135 'envCheckUploadsDirectory',
136 'envCheckLibicu',
137 'envCheckSuhosinMaxValueLength',
138 'envCheckCtype',
139 'envCheckIconv',
140 'envCheckJSON',
144 * A list of environment preparation methods called by doEnvironmentPreps().
146 * @var array
148 protected $envPreps = array(
149 'envPrepServer',
150 'envPrepPath',
154 * MediaWiki configuration globals that will eventually be passed through
155 * to LocalSettings.php. The names only are given here, the defaults
156 * typically come from DefaultSettings.php.
158 * @var array
160 protected $defaultVarNames = array(
161 'wgSitename',
162 'wgPasswordSender',
163 'wgLanguageCode',
164 'wgRightsIcon',
165 'wgRightsText',
166 'wgRightsUrl',
167 'wgMainCacheType',
168 'wgEnableEmail',
169 'wgEnableUserEmail',
170 'wgEnotifUserTalk',
171 'wgEnotifWatchlist',
172 'wgEmailAuthentication',
173 'wgDBtype',
174 'wgDiff3',
175 'wgImageMagickConvertCommand',
176 'wgGitBin',
177 'IP',
178 'wgScriptPath',
179 'wgMetaNamespace',
180 'wgDeletedDirectory',
181 'wgEnableUploads',
182 'wgShellLocale',
183 'wgSecretKey',
184 'wgUseInstantCommons',
185 'wgUpgradeKey',
186 'wgDefaultSkin',
190 * Variables that are stored alongside globals, and are used for any
191 * configuration of the installation process aside from the MediaWiki
192 * configuration. Map of names to defaults.
194 * @var array
196 protected $internalDefaults = array(
197 '_UserLang' => 'en',
198 '_Environment' => false,
199 '_SafeMode' => false,
200 '_RaiseMemory' => false,
201 '_UpgradeDone' => false,
202 '_InstallDone' => false,
203 '_Caches' => array(),
204 '_InstallPassword' => '',
205 '_SameAccount' => true,
206 '_CreateDBAccount' => false,
207 '_NamespaceType' => 'site-name',
208 '_AdminName' => '', // will be set later, when the user selects language
209 '_AdminPassword' => '',
210 '_AdminPasswordConfirm' => '',
211 '_AdminEmail' => '',
212 '_Subscribe' => false,
213 '_SkipOptional' => 'continue',
214 '_RightsProfile' => 'wiki',
215 '_LicenseCode' => 'none',
216 '_CCDone' => false,
217 '_Extensions' => array(),
218 '_Skins' => array(),
219 '_MemCachedServers' => '',
220 '_UpgradeKeySupplied' => false,
221 '_ExistingDBSettings' => false,
223 // $wgLogo is probably wrong (bug 48084); set something that will work.
224 // Single quotes work fine here, as LocalSettingsGenerator outputs this unescaped.
225 'wgLogo' => '$wgResourceBasePath/resources/assets/wiki.png',
229 * The actual list of installation steps. This will be initialized by getInstallSteps()
231 * @var array
233 private $installSteps = array();
236 * Extra steps for installation, for things like DatabaseInstallers to modify
238 * @var array
240 protected $extraInstallSteps = array();
243 * Known object cache types and the functions used to test for their existence.
245 * @var array
247 protected $objectCaches = array(
248 'xcache' => 'xcache_get',
249 'apc' => 'apc_fetch',
250 'wincache' => 'wincache_ucache_get'
254 * User rights profiles.
256 * @var array
258 public $rightsProfiles = array(
259 'wiki' => array(),
260 'no-anon' => array(
261 '*' => array( 'edit' => false )
263 'fishbowl' => array(
264 '*' => array(
265 'createaccount' => false,
266 'edit' => false,
269 'private' => array(
270 '*' => array(
271 'createaccount' => false,
272 'edit' => false,
273 'read' => false,
279 * License types.
281 * @var array
283 public $licenses = array(
284 'cc-by' => array(
285 'url' => 'https://creativecommons.org/licenses/by/3.0/',
286 'icon' => '$wgResourceBasePath/resources/assets/licenses/cc-by.png',
288 'cc-by-sa' => array(
289 'url' => 'https://creativecommons.org/licenses/by-sa/3.0/',
290 'icon' => '$wgResourceBasePath/resources/assets/licenses/cc-by-sa.png',
292 'cc-by-nc-sa' => array(
293 'url' => 'https://creativecommons.org/licenses/by-nc-sa/3.0/',
294 'icon' => '$wgResourceBasePath/resources/assets/licenses/cc-by-nc-sa.png',
296 'cc-0' => array(
297 'url' => 'https://creativecommons.org/publicdomain/zero/1.0/',
298 'icon' => '$wgResourceBasePath/resources/assets/licenses/cc-0.png',
300 'pd' => array(
301 'url' => '',
302 'icon' => '$wgResourceBasePath/resources/assets/licenses/public-domain.png',
304 'gfdl' => array(
305 'url' => 'https://www.gnu.org/copyleft/fdl.html',
306 'icon' => '$wgResourceBasePath/resources/assets/licenses/gnu-fdl.png',
308 'none' => array(
309 'url' => '',
310 'icon' => '',
311 'text' => ''
313 'cc-choose' => array(
314 // Details will be filled in by the selector.
315 'url' => '',
316 'icon' => '',
317 'text' => '',
322 * URL to mediawiki-announce subscription
324 protected $mediaWikiAnnounceUrl =
325 'https://lists.wikimedia.org/mailman/subscribe/mediawiki-announce';
328 * Supported language codes for Mailman
330 protected $mediaWikiAnnounceLanguages = array(
331 'ca', 'cs', 'da', 'de', 'en', 'es', 'et', 'eu', 'fi', 'fr', 'hr', 'hu',
332 'it', 'ja', 'ko', 'lt', 'nl', 'no', 'pl', 'pt', 'pt-br', 'ro', 'ru',
333 'sl', 'sr', 'sv', 'tr', 'uk'
337 * UI interface for displaying a short message
338 * The parameters are like parameters to wfMessage().
339 * The messages will be in wikitext format, which will be converted to an
340 * output format such as HTML or text before being sent to the user.
341 * @param string $msg
343 abstract public function showMessage( $msg /*, ... */ );
346 * Same as showMessage(), but for displaying errors
347 * @param string $msg
349 abstract public function showError( $msg /*, ... */ );
352 * Show a message to the installing user by using a Status object
353 * @param Status $status
355 abstract public function showStatusMessage( Status $status );
358 * Constructor, always call this from child classes.
360 public function __construct() {
361 global $wgMessagesDirs, $wgUser;
363 // Disable the i18n cache
364 Language::getLocalisationCache()->disableBackend();
365 // Disable LoadBalancer and wfGetDB etc.
366 LBFactory::disableBackend();
368 // Disable object cache (otherwise CACHE_ANYTHING will try CACHE_DB and
369 // SqlBagOStuff will then throw since we just disabled wfGetDB)
370 $GLOBALS['wgMemc'] = new EmptyBagOStuff;
371 ObjectCache::clear();
372 $emptyCache = array( 'class' => 'EmptyBagOStuff' );
373 $GLOBALS['wgObjectCaches'] = array(
374 CACHE_NONE => $emptyCache,
375 CACHE_DB => $emptyCache,
376 CACHE_ANYTHING => $emptyCache,
377 CACHE_MEMCACHED => $emptyCache,
380 // Load the installer's i18n.
381 $wgMessagesDirs['MediawikiInstaller'] = __DIR__ . '/i18n';
383 // Having a user with id = 0 safeguards us from DB access via User::loadOptions().
384 $wgUser = User::newFromId( 0 );
386 $this->settings = $this->internalDefaults;
388 foreach ( $this->defaultVarNames as $var ) {
389 $this->settings[$var] = $GLOBALS[$var];
392 $this->doEnvironmentPreps();
394 $this->compiledDBs = array();
395 foreach ( self::getDBTypes() as $type ) {
396 $installer = $this->getDBInstaller( $type );
398 if ( !$installer->isCompiled() ) {
399 continue;
401 $this->compiledDBs[] = $type;
404 $this->parserTitle = Title::newFromText( 'Installer' );
405 $this->parserOptions = new ParserOptions; // language will be wrong :(
406 $this->parserOptions->setEditSection( false );
410 * Get a list of known DB types.
412 * @return array
414 public static function getDBTypes() {
415 return self::$dbTypes;
419 * Do initial checks of the PHP environment. Set variables according to
420 * the observed environment.
422 * It's possible that this may be called under the CLI SAPI, not the SAPI
423 * that the wiki will primarily run under. In that case, the subclass should
424 * initialise variables such as wgScriptPath, before calling this function.
426 * Under the web subclass, it can already be assumed that PHP 5+ is in use
427 * and that sessions are working.
429 * @return Status
431 public function doEnvironmentChecks() {
432 // Php version has already been checked by entry scripts
433 // Show message here for information purposes
434 if ( wfIsHHVM() ) {
435 $this->showMessage( 'config-env-hhvm', HHVM_VERSION );
436 } else {
437 $this->showMessage( 'config-env-php', PHP_VERSION );
440 $good = true;
441 // Must go here because an old version of PCRE can prevent other checks from completing
442 list( $pcreVersion ) = explode( ' ', PCRE_VERSION, 2 );
443 if ( version_compare( $pcreVersion, self::MINIMUM_PCRE_VERSION, '<' ) ) {
444 $this->showError( 'config-pcre-old', self::MINIMUM_PCRE_VERSION, $pcreVersion );
445 $good = false;
446 } else {
447 foreach ( $this->envChecks as $check ) {
448 $status = $this->$check();
449 if ( $status === false ) {
450 $good = false;
455 $this->setVar( '_Environment', $good );
457 return $good ? Status::newGood() : Status::newFatal( 'config-env-bad' );
460 public function doEnvironmentPreps() {
461 foreach ( $this->envPreps as $prep ) {
462 $this->$prep();
467 * Set a MW configuration variable, or internal installer configuration variable.
469 * @param string $name
470 * @param mixed $value
472 public function setVar( $name, $value ) {
473 $this->settings[$name] = $value;
477 * Get an MW configuration variable, or internal installer configuration variable.
478 * The defaults come from $GLOBALS (ultimately DefaultSettings.php).
479 * Installer variables are typically prefixed by an underscore.
481 * @param string $name
482 * @param mixed $default
484 * @return mixed
486 public function getVar( $name, $default = null ) {
487 if ( !isset( $this->settings[$name] ) ) {
488 return $default;
489 } else {
490 return $this->settings[$name];
495 * Get a list of DBs supported by current PHP setup
497 * @return array
499 public function getCompiledDBs() {
500 return $this->compiledDBs;
504 * Get an instance of DatabaseInstaller for the specified DB type.
506 * @param mixed $type DB installer for which is needed, false to use default.
508 * @return DatabaseInstaller
510 public function getDBInstaller( $type = false ) {
511 if ( !$type ) {
512 $type = $this->getVar( 'wgDBtype' );
515 $type = strtolower( $type );
517 if ( !isset( $this->dbInstallers[$type] ) ) {
518 $class = ucfirst( $type ) . 'Installer';
519 $this->dbInstallers[$type] = new $class( $this );
522 return $this->dbInstallers[$type];
526 * Determine if LocalSettings.php exists. If it does, return its variables.
528 * @return array
530 public static function getExistingLocalSettings() {
531 global $IP;
533 // You might be wondering why this is here. Well if you don't do this
534 // then some poorly-formed extensions try to call their own classes
535 // after immediately registering them. We really need to get extension
536 // registration out of the global scope and into a real format.
537 // @see https://bugzilla.wikimedia.org/67440
538 global $wgAutoloadClasses;
539 $wgAutoloadClasses = array();
541 // LocalSettings.php should not call functions, except wfLoadSkin/wfLoadExtensions
542 // Define the required globals here, to ensure, the functions can do it work correctly.
543 global $wgExtensionDirectory, $wgStyleDirectory;
545 MediaWiki\suppressWarnings();
546 $_lsExists = file_exists( "$IP/LocalSettings.php" );
547 MediaWiki\restoreWarnings();
549 if ( !$_lsExists ) {
550 return false;
552 unset( $_lsExists );
554 require "$IP/includes/DefaultSettings.php";
555 require "$IP/LocalSettings.php";
557 return get_defined_vars();
561 * Get a fake password for sending back to the user in HTML.
562 * This is a security mechanism to avoid compromise of the password in the
563 * event of session ID compromise.
565 * @param string $realPassword
567 * @return string
569 public function getFakePassword( $realPassword ) {
570 return str_repeat( '*', strlen( $realPassword ) );
574 * Set a variable which stores a password, except if the new value is a
575 * fake password in which case leave it as it is.
577 * @param string $name
578 * @param mixed $value
580 public function setPassword( $name, $value ) {
581 if ( !preg_match( '/^\*+$/', $value ) ) {
582 $this->setVar( $name, $value );
587 * On POSIX systems return the primary group of the webserver we're running under.
588 * On other systems just returns null.
590 * This is used to advice the user that he should chgrp his mw-config/data/images directory as the
591 * webserver user before he can install.
593 * Public because SqliteInstaller needs it, and doesn't subclass Installer.
595 * @return mixed
597 public static function maybeGetWebserverPrimaryGroup() {
598 if ( !function_exists( 'posix_getegid' ) || !function_exists( 'posix_getpwuid' ) ) {
599 # I don't know this, this isn't UNIX.
600 return null;
603 # posix_getegid() *not* getmygid() because we want the group of the webserver,
604 # not whoever owns the current script.
605 $gid = posix_getegid();
606 $getpwuid = posix_getpwuid( $gid );
607 $group = $getpwuid['name'];
609 return $group;
613 * Convert wikitext $text to HTML.
615 * This is potentially error prone since many parser features require a complete
616 * installed MW database. The solution is to just not use those features when you
617 * write your messages. This appears to work well enough. Basic formatting and
618 * external links work just fine.
620 * But in case a translator decides to throw in a "#ifexist" or internal link or
621 * whatever, this function is guarded to catch the attempted DB access and to present
622 * some fallback text.
624 * @param string $text
625 * @param bool $lineStart
626 * @return string
628 public function parse( $text, $lineStart = false ) {
629 global $wgParser;
631 try {
632 $out = $wgParser->parse( $text, $this->parserTitle, $this->parserOptions, $lineStart );
633 $html = $out->getText();
634 } catch ( DBAccessError $e ) {
635 $html = '<!--DB access attempted during parse--> ' . htmlspecialchars( $text );
637 if ( !empty( $this->debug ) ) {
638 $html .= "<!--\n" . $e->getTraceAsString() . "\n-->";
642 return $html;
646 * @return ParserOptions
648 public function getParserOptions() {
649 return $this->parserOptions;
652 public function disableLinkPopups() {
653 $this->parserOptions->setExternalLinkTarget( false );
656 public function restoreLinkPopups() {
657 global $wgExternalLinkTarget;
658 $this->parserOptions->setExternalLinkTarget( $wgExternalLinkTarget );
662 * Install step which adds a row to the site_stats table with appropriate
663 * initial values.
665 * @param DatabaseInstaller $installer
667 * @return Status
669 public function populateSiteStats( DatabaseInstaller $installer ) {
670 $status = $installer->getConnection();
671 if ( !$status->isOK() ) {
672 return $status;
674 $status->value->insert(
675 'site_stats',
676 array(
677 'ss_row_id' => 1,
678 'ss_total_edits' => 0,
679 'ss_good_articles' => 0,
680 'ss_total_pages' => 0,
681 'ss_users' => 0,
682 'ss_images' => 0
684 __METHOD__, 'IGNORE'
687 return Status::newGood();
691 * Exports all wg* variables stored by the installer into global scope.
693 public function exportVars() {
694 foreach ( $this->settings as $name => $value ) {
695 if ( substr( $name, 0, 2 ) == 'wg' ) {
696 $GLOBALS[$name] = $value;
702 * Environment check for DB types.
703 * @return bool
705 protected function envCheckDB() {
706 global $wgLang;
708 $allNames = array();
710 // Messages: config-type-mysql, config-type-postgres, config-type-oracle,
711 // config-type-sqlite
712 foreach ( self::getDBTypes() as $name ) {
713 $allNames[] = wfMessage( "config-type-$name" )->text();
716 $databases = $this->getCompiledDBs();
718 $databases = array_flip( $databases );
719 foreach ( array_keys( $databases ) as $db ) {
720 $installer = $this->getDBInstaller( $db );
721 $status = $installer->checkPrerequisites();
722 if ( !$status->isGood() ) {
723 $this->showStatusMessage( $status );
725 if ( !$status->isOK() ) {
726 unset( $databases[$db] );
729 $databases = array_flip( $databases );
730 if ( !$databases ) {
731 $this->showError( 'config-no-db', $wgLang->commaList( $allNames ), count( $allNames ) );
733 // @todo FIXME: This only works for the web installer!
734 return false;
737 return true;
741 * Environment check for register_globals.
742 * Prevent installation if enabled
743 * @return bool
745 protected function envCheckRegisterGlobals() {
746 if ( wfIniGetBool( 'register_globals' ) ) {
747 $this->showMessage( 'config-register-globals-error' );
748 return false;
751 return true;
755 * Some versions of libxml+PHP break < and > encoding horribly
756 * @return bool
758 protected function envCheckBrokenXML() {
759 $test = new PhpXmlBugTester();
760 if ( !$test->ok ) {
761 $this->showError( 'config-brokenlibxml' );
763 return false;
766 return true;
770 * Environment check for magic_quotes_(gpc|runtime|sybase).
771 * @return bool
773 protected function envCheckMagicQuotes() {
774 $status = true;
775 foreach ( array( 'gpc', 'runtime', 'sybase' ) as $magicJunk ) {
776 if ( wfIniGetBool( "magic_quotes_$magicJunk" ) ) {
777 $this->showError( "config-magic-quotes-$magicJunk" );
778 $status = false;
782 return $status;
786 * Environment check for mbstring.func_overload.
787 * @return bool
789 protected function envCheckMbstring() {
790 if ( wfIniGetBool( 'mbstring.func_overload' ) ) {
791 $this->showError( 'config-mbstring' );
793 return false;
796 return true;
800 * Environment check for safe_mode.
801 * @return bool
803 protected function envCheckSafeMode() {
804 if ( wfIniGetBool( 'safe_mode' ) ) {
805 $this->setVar( '_SafeMode', true );
806 $this->showMessage( 'config-safe-mode' );
809 return true;
813 * Environment check for the XML module.
814 * @return bool
816 protected function envCheckXML() {
817 if ( !function_exists( "utf8_encode" ) ) {
818 $this->showError( 'config-xml-bad' );
820 return false;
823 return true;
827 * Environment check for the PCRE module.
829 * @note If this check were to fail, the parser would
830 * probably throw an exception before the result
831 * of this check is shown to the user.
832 * @return bool
834 protected function envCheckPCRE() {
835 MediaWiki\suppressWarnings();
836 $regexd = preg_replace( '/[\x{0430}-\x{04FF}]/iu', '', '-АБВГД-' );
837 // Need to check for \p support too, as PCRE can be compiled
838 // with utf8 support, but not unicode property support.
839 // check that \p{Zs} (space separators) matches
840 // U+3000 (Ideographic space)
841 $regexprop = preg_replace( '/\p{Zs}/u', '', "-\xE3\x80\x80-" );
842 MediaWiki\restoreWarnings();
843 if ( $regexd != '--' || $regexprop != '--' ) {
844 $this->showError( 'config-pcre-no-utf8' );
846 return false;
849 return true;
853 * Environment check for available memory.
854 * @return bool
856 protected function envCheckMemory() {
857 $limit = ini_get( 'memory_limit' );
859 if ( !$limit || $limit == -1 ) {
860 return true;
863 $n = wfShorthandToInteger( $limit );
865 if ( $n < $this->minMemorySize * 1024 * 1024 ) {
866 $newLimit = "{$this->minMemorySize}M";
868 if ( ini_set( "memory_limit", $newLimit ) === false ) {
869 $this->showMessage( 'config-memory-bad', $limit );
870 } else {
871 $this->showMessage( 'config-memory-raised', $limit, $newLimit );
872 $this->setVar( '_RaiseMemory', true );
876 return true;
880 * Environment check for compiled object cache types.
882 protected function envCheckCache() {
883 $caches = array();
884 foreach ( $this->objectCaches as $name => $function ) {
885 if ( function_exists( $function ) ) {
886 if ( $name == 'xcache' && !wfIniGetBool( 'xcache.var_size' ) ) {
887 continue;
889 $caches[$name] = true;
893 if ( !$caches ) {
894 $this->showMessage( 'config-no-cache' );
897 $this->setVar( '_Caches', $caches );
901 * Scare user to death if they have mod_security or mod_security2
902 * @return bool
904 protected function envCheckModSecurity() {
905 if ( self::apacheModulePresent( 'mod_security' )
906 || self::apacheModulePresent( 'mod_security2' ) ) {
907 $this->showMessage( 'config-mod-security' );
910 return true;
914 * Search for GNU diff3.
915 * @return bool
917 protected function envCheckDiff3() {
918 $names = array( "gdiff3", "diff3", "diff3.exe" );
919 $versionInfo = array( '$1 --version 2>&1', 'GNU diffutils' );
921 $diff3 = self::locateExecutableInDefaultPaths( $names, $versionInfo );
923 if ( $diff3 ) {
924 $this->setVar( 'wgDiff3', $diff3 );
925 } else {
926 $this->setVar( 'wgDiff3', false );
927 $this->showMessage( 'config-diff3-bad' );
930 return true;
934 * Environment check for ImageMagick and GD.
935 * @return bool
937 protected function envCheckGraphics() {
938 $names = array( wfIsWindows() ? 'convert.exe' : 'convert' );
939 $versionInfo = array( '$1 -version', 'ImageMagick' );
940 $convert = self::locateExecutableInDefaultPaths( $names, $versionInfo );
942 $this->setVar( 'wgImageMagickConvertCommand', '' );
943 if ( $convert ) {
944 $this->setVar( 'wgImageMagickConvertCommand', $convert );
945 $this->showMessage( 'config-imagemagick', $convert );
947 return true;
948 } elseif ( function_exists( 'imagejpeg' ) ) {
949 $this->showMessage( 'config-gd' );
950 } else {
951 $this->showMessage( 'config-no-scaling' );
954 return true;
958 * Search for git.
960 * @since 1.22
961 * @return bool
963 protected function envCheckGit() {
964 $names = array( wfIsWindows() ? 'git.exe' : 'git' );
965 $versionInfo = array( '$1 --version', 'git version' );
967 $git = self::locateExecutableInDefaultPaths( $names, $versionInfo );
969 if ( $git ) {
970 $this->setVar( 'wgGitBin', $git );
971 $this->showMessage( 'config-git', $git );
972 } else {
973 $this->setVar( 'wgGitBin', false );
974 $this->showMessage( 'config-git-bad' );
977 return true;
981 * Environment check to inform user which server we've assumed.
983 * @return bool
985 protected function envCheckServer() {
986 $server = $this->envGetDefaultServer();
987 if ( $server !== null ) {
988 $this->showMessage( 'config-using-server', $server );
990 return true;
994 * Environment check to inform user which paths we've assumed.
996 * @return bool
998 protected function envCheckPath() {
999 $this->showMessage(
1000 'config-using-uri',
1001 $this->getVar( 'wgServer' ),
1002 $this->getVar( 'wgScriptPath' )
1004 return true;
1008 * Environment check for preferred locale in shell
1009 * @return bool
1011 protected function envCheckShellLocale() {
1012 $os = php_uname( 's' );
1013 $supported = array( 'Linux', 'SunOS', 'HP-UX', 'Darwin' ); # Tested these
1015 if ( !in_array( $os, $supported ) ) {
1016 return true;
1019 # Get a list of available locales.
1020 $ret = false;
1021 $lines = wfShellExec( '/usr/bin/locale -a', $ret );
1023 if ( $ret ) {
1024 return true;
1027 $lines = array_map( 'trim', explode( "\n", $lines ) );
1028 $candidatesByLocale = array();
1029 $candidatesByLang = array();
1031 foreach ( $lines as $line ) {
1032 if ( $line === '' ) {
1033 continue;
1036 if ( !preg_match( '/^([a-zA-Z]+)(_[a-zA-Z]+|)\.(utf8|UTF-8)(@[a-zA-Z_]*|)$/i', $line, $m ) ) {
1037 continue;
1040 list( , $lang, , , ) = $m;
1042 $candidatesByLocale[$m[0]] = $m;
1043 $candidatesByLang[$lang][] = $m;
1046 # Try the current value of LANG.
1047 if ( isset( $candidatesByLocale[getenv( 'LANG' )] ) ) {
1048 $this->setVar( 'wgShellLocale', getenv( 'LANG' ) );
1050 return true;
1053 # Try the most common ones.
1054 $commonLocales = array( 'en_US.UTF-8', 'en_US.utf8', 'de_DE.UTF-8', 'de_DE.utf8' );
1055 foreach ( $commonLocales as $commonLocale ) {
1056 if ( isset( $candidatesByLocale[$commonLocale] ) ) {
1057 $this->setVar( 'wgShellLocale', $commonLocale );
1059 return true;
1063 # Is there an available locale in the Wiki's language?
1064 $wikiLang = $this->getVar( 'wgLanguageCode' );
1066 if ( isset( $candidatesByLang[$wikiLang] ) ) {
1067 $m = reset( $candidatesByLang[$wikiLang] );
1068 $this->setVar( 'wgShellLocale', $m[0] );
1070 return true;
1073 # Are there any at all?
1074 if ( count( $candidatesByLocale ) ) {
1075 $m = reset( $candidatesByLocale );
1076 $this->setVar( 'wgShellLocale', $m[0] );
1078 return true;
1081 # Give up.
1082 return true;
1086 * Environment check for the permissions of the uploads directory
1087 * @return bool
1089 protected function envCheckUploadsDirectory() {
1090 global $IP;
1092 $dir = $IP . '/images/';
1093 $url = $this->getVar( 'wgServer' ) . $this->getVar( 'wgScriptPath' ) . '/images/';
1094 $safe = !$this->dirIsExecutable( $dir, $url );
1096 if ( !$safe ) {
1097 $this->showMessage( 'config-uploads-not-safe', $dir );
1100 return true;
1104 * Checks if suhosin.get.max_value_length is set, and if so generate
1105 * a warning because it decreases ResourceLoader performance.
1106 * @return bool
1108 protected function envCheckSuhosinMaxValueLength() {
1109 $maxValueLength = ini_get( 'suhosin.get.max_value_length' );
1110 if ( $maxValueLength > 0 && $maxValueLength < 1024 ) {
1111 // Only warn if the value is below the sane 1024
1112 $this->showMessage( 'config-suhosin-max-value-length', $maxValueLength );
1115 return true;
1119 * Convert a hex string representing a Unicode code point to that code point.
1120 * @param string $c
1121 * @return string
1123 protected function unicodeChar( $c ) {
1124 $c = hexdec( $c );
1125 if ( $c <= 0x7F ) {
1126 return chr( $c );
1127 } elseif ( $c <= 0x7FF ) {
1128 return chr( 0xC0 | $c >> 6 ) . chr( 0x80 | $c & 0x3F );
1129 } elseif ( $c <= 0xFFFF ) {
1130 return chr( 0xE0 | $c >> 12 ) . chr( 0x80 | $c >> 6 & 0x3F ) .
1131 chr( 0x80 | $c & 0x3F );
1132 } elseif ( $c <= 0x10FFFF ) {
1133 return chr( 0xF0 | $c >> 18 ) . chr( 0x80 | $c >> 12 & 0x3F ) .
1134 chr( 0x80 | $c >> 6 & 0x3F ) .
1135 chr( 0x80 | $c & 0x3F );
1136 } else {
1137 return false;
1142 * Check the libicu version
1144 protected function envCheckLibicu() {
1146 * This needs to be updated something that the latest libicu
1147 * will properly normalize. This normalization was found at
1148 * http://www.unicode.org/versions/Unicode5.2.0/#Character_Additions
1149 * Note that we use the hex representation to create the code
1150 * points in order to avoid any Unicode-destroying during transit.
1152 $not_normal_c = $this->unicodeChar( "FA6C" );
1153 $normal_c = $this->unicodeChar( "242EE" );
1155 $useNormalizer = 'php';
1156 $needsUpdate = false;
1158 if ( function_exists( 'normalizer_normalize' ) ) {
1159 $useNormalizer = 'intl';
1160 $intl = normalizer_normalize( $not_normal_c, Normalizer::FORM_C );
1161 if ( $intl !== $normal_c ) {
1162 $needsUpdate = true;
1166 // Uses messages 'config-unicode-using-php' and 'config-unicode-using-intl'
1167 if ( $useNormalizer === 'php' ) {
1168 $this->showMessage( 'config-unicode-pure-php-warning' );
1169 } else {
1170 $this->showMessage( 'config-unicode-using-' . $useNormalizer );
1171 if ( $needsUpdate ) {
1172 $this->showMessage( 'config-unicode-update-warning' );
1178 * @return bool
1180 protected function envCheckCtype() {
1181 if ( !function_exists( 'ctype_digit' ) ) {
1182 $this->showError( 'config-ctype' );
1184 return false;
1187 return true;
1191 * @return bool
1193 protected function envCheckIconv() {
1194 if ( !function_exists( 'iconv' ) ) {
1195 $this->showError( 'config-iconv' );
1197 return false;
1200 return true;
1204 * @return bool
1206 protected function envCheckJSON() {
1207 if ( !function_exists( 'json_decode' ) ) {
1208 $this->showError( 'config-json' );
1210 return false;
1213 return true;
1217 * Environment prep for the server hostname.
1219 protected function envPrepServer() {
1220 $server = $this->envGetDefaultServer();
1221 if ( $server !== null ) {
1222 $this->setVar( 'wgServer', $server );
1227 * Helper function to be called from envPrepServer()
1228 * @return string
1230 abstract protected function envGetDefaultServer();
1233 * Environment prep for setting $IP and $wgScriptPath.
1235 protected function envPrepPath() {
1236 global $IP;
1237 $IP = dirname( dirname( __DIR__ ) );
1238 $this->setVar( 'IP', $IP );
1242 * Get an array of likely places we can find executables. Check a bunch
1243 * of known Unix-like defaults, as well as the PATH environment variable
1244 * (which should maybe make it work for Windows?)
1246 * @return array
1248 protected static function getPossibleBinPaths() {
1249 return array_merge(
1250 array( '/usr/bin', '/usr/local/bin', '/opt/csw/bin',
1251 '/usr/gnu/bin', '/usr/sfw/bin', '/sw/bin', '/opt/local/bin' ),
1252 explode( PATH_SEPARATOR, getenv( 'PATH' ) )
1257 * Search a path for any of the given executable names. Returns the
1258 * executable name if found. Also checks the version string returned
1259 * by each executable.
1261 * Used only by environment checks.
1263 * @param string $path Path to search
1264 * @param array $names Array of executable names
1265 * @param array|bool $versionInfo False or array with two members:
1266 * 0 => Command to run for version check, with $1 for the full executable name
1267 * 1 => String to compare the output with
1269 * If $versionInfo is not false, only executables with a version
1270 * matching $versionInfo[1] will be returned.
1271 * @return bool|string
1273 public static function locateExecutable( $path, $names, $versionInfo = false ) {
1274 if ( !is_array( $names ) ) {
1275 $names = array( $names );
1278 foreach ( $names as $name ) {
1279 $command = $path . DIRECTORY_SEPARATOR . $name;
1281 MediaWiki\suppressWarnings();
1282 $file_exists = file_exists( $command );
1283 MediaWiki\restoreWarnings();
1285 if ( $file_exists ) {
1286 if ( !$versionInfo ) {
1287 return $command;
1290 $file = str_replace( '$1', wfEscapeShellArg( $command ), $versionInfo[0] );
1291 if ( strstr( wfShellExec( $file ), $versionInfo[1] ) !== false ) {
1292 return $command;
1297 return false;
1301 * Same as locateExecutable(), but checks in getPossibleBinPaths() by default
1302 * @see locateExecutable()
1303 * @param array $names Array of possible names.
1304 * @param array|bool $versionInfo Default: false or array with two members:
1305 * 0 => Command to run for version check, with $1 for the full executable name
1306 * 1 => String to compare the output with
1308 * If $versionInfo is not false, only executables with a version
1309 * matching $versionInfo[1] will be returned.
1310 * @return bool|string
1312 public static function locateExecutableInDefaultPaths( $names, $versionInfo = false ) {
1313 foreach ( self::getPossibleBinPaths() as $path ) {
1314 $exe = self::locateExecutable( $path, $names, $versionInfo );
1315 if ( $exe !== false ) {
1316 return $exe;
1320 return false;
1324 * Checks if scripts located in the given directory can be executed via the given URL.
1326 * Used only by environment checks.
1327 * @param string $dir
1328 * @param string $url
1329 * @return bool|int|string
1331 public function dirIsExecutable( $dir, $url ) {
1332 $scriptTypes = array(
1333 'php' => array(
1334 "<?php echo 'ex' . 'ec';",
1335 "#!/var/env php5\n<?php echo 'ex' . 'ec';",
1339 // it would be good to check other popular languages here, but it'll be slow.
1341 MediaWiki\suppressWarnings();
1343 foreach ( $scriptTypes as $ext => $contents ) {
1344 foreach ( $contents as $source ) {
1345 $file = 'exectest.' . $ext;
1347 if ( !file_put_contents( $dir . $file, $source ) ) {
1348 break;
1351 try {
1352 $text = Http::get( $url . $file, array( 'timeout' => 3 ), __METHOD__ );
1353 } catch ( Exception $e ) {
1354 // Http::get throws with allow_url_fopen = false and no curl extension.
1355 $text = null;
1357 unlink( $dir . $file );
1359 if ( $text == 'exec' ) {
1360 MediaWiki\restoreWarnings();
1362 return $ext;
1367 MediaWiki\restoreWarnings();
1369 return false;
1373 * Checks for presence of an Apache module. Works only if PHP is running as an Apache module, too.
1375 * @param string $moduleName Name of module to check.
1376 * @return bool
1378 public static function apacheModulePresent( $moduleName ) {
1379 if ( function_exists( 'apache_get_modules' ) && in_array( $moduleName, apache_get_modules() ) ) {
1380 return true;
1382 // try it the hard way
1383 ob_start();
1384 phpinfo( INFO_MODULES );
1385 $info = ob_get_clean();
1387 return strpos( $info, $moduleName ) !== false;
1391 * ParserOptions are constructed before we determined the language, so fix it
1393 * @param Language $lang
1395 public function setParserLanguage( $lang ) {
1396 $this->parserOptions->setTargetLanguage( $lang );
1397 $this->parserOptions->setUserLang( $lang );
1401 * Overridden by WebInstaller to provide lastPage parameters.
1402 * @param string $page
1403 * @return string
1405 protected function getDocUrl( $page ) {
1406 return "{$_SERVER['PHP_SELF']}?page=" . urlencode( $page );
1410 * Finds extensions that follow the format /$directory/Name/Name.php,
1411 * and returns an array containing the value for 'Name' for each found extension.
1413 * Reasonable values for $directory include 'extensions' (the default) and 'skins'.
1415 * @param string $directory Directory to search in
1416 * @return array
1418 public function findExtensions( $directory = 'extensions' ) {
1419 if ( $this->getVar( 'IP' ) === null ) {
1420 return array();
1423 $extDir = $this->getVar( 'IP' ) . '/' . $directory;
1424 if ( !is_readable( $extDir ) || !is_dir( $extDir ) ) {
1425 return array();
1428 // extensions -> extension.json, skins -> skin.json
1429 $jsonFile = substr( $directory, 0, strlen( $directory ) -1 ) . '.json';
1431 $dh = opendir( $extDir );
1432 $exts = array();
1433 while ( ( $file = readdir( $dh ) ) !== false ) {
1434 if ( !is_dir( "$extDir/$file" ) ) {
1435 continue;
1437 if ( file_exists( "$extDir/$file/$jsonFile" ) || file_exists( "$extDir/$file/$file.php" ) ) {
1438 $exts[] = $file;
1441 closedir( $dh );
1442 natcasesort( $exts );
1444 return $exts;
1448 * Returns a default value to be used for $wgDefaultSkin: normally the one set in DefaultSettings,
1449 * but will fall back to another if the default skin is missing and some other one is present
1450 * instead.
1452 * @param string[] $skinNames Names of installed skins.
1453 * @return string
1455 public function getDefaultSkin( array $skinNames ) {
1456 $defaultSkin = $GLOBALS['wgDefaultSkin'];
1457 if ( !$skinNames || in_array( $defaultSkin, $skinNames ) ) {
1458 return $defaultSkin;
1459 } else {
1460 return $skinNames[0];
1465 * Installs the auto-detected extensions.
1467 * @return Status
1469 protected function includeExtensions() {
1470 global $IP;
1471 $exts = $this->getVar( '_Extensions' );
1472 $IP = $this->getVar( 'IP' );
1475 * We need to include DefaultSettings before including extensions to avoid
1476 * warnings about unset variables. However, the only thing we really
1477 * want here is $wgHooks['LoadExtensionSchemaUpdates']. This won't work
1478 * if the extension has hidden hook registration in $wgExtensionFunctions,
1479 * but we're not opening that can of worms
1480 * @see https://bugzilla.wikimedia.org/show_bug.cgi?id=26857
1482 global $wgAutoloadClasses;
1483 $wgAutoloadClasses = array();
1484 $queue = array();
1486 require "$IP/includes/DefaultSettings.php";
1488 foreach ( $exts as $e ) {
1489 if ( file_exists( "$IP/extensions/$e/extension.json" ) ) {
1490 $queue["$IP/extensions/$e/extension.json"] = 1;
1491 } else {
1492 require_once "$IP/extensions/$e/$e.php";
1496 $registry = new ExtensionRegistry();
1497 $data = $registry->readFromQueue( $queue );
1498 $wgAutoloadClasses += $data['autoload'];
1500 $hooksWeWant = isset( $wgHooks['LoadExtensionSchemaUpdates'] ) ?
1501 $wgHooks['LoadExtensionSchemaUpdates'] : array();
1503 if ( isset( $data['globals']['wgHooks']['LoadExtensionSchemaUpdates'] ) ) {
1504 $hooksWeWant = array_merge_recursive(
1505 $hooksWeWant,
1506 $data['globals']['wgHooks']['LoadExtensionSchemaUpdates']
1509 // Unset everyone else's hooks. Lord knows what someone might be doing
1510 // in ParserFirstCallInit (see bug 27171)
1511 $GLOBALS['wgHooks'] = array( 'LoadExtensionSchemaUpdates' => $hooksWeWant );
1513 return Status::newGood();
1517 * Get an array of install steps. Should always be in the format of
1518 * array(
1519 * 'name' => 'someuniquename',
1520 * 'callback' => array( $obj, 'method' ),
1522 * There must be a config-install-$name message defined per step, which will
1523 * be shown on install.
1525 * @param DatabaseInstaller $installer DatabaseInstaller so we can make callbacks
1526 * @return array
1528 protected function getInstallSteps( DatabaseInstaller $installer ) {
1529 $coreInstallSteps = array(
1530 array( 'name' => 'database', 'callback' => array( $installer, 'setupDatabase' ) ),
1531 array( 'name' => 'tables', 'callback' => array( $installer, 'createTables' ) ),
1532 array( 'name' => 'interwiki', 'callback' => array( $installer, 'populateInterwikiTable' ) ),
1533 array( 'name' => 'stats', 'callback' => array( $this, 'populateSiteStats' ) ),
1534 array( 'name' => 'keys', 'callback' => array( $this, 'generateKeys' ) ),
1535 array( 'name' => 'updates', 'callback' => array( $installer, 'insertUpdateKeys' ) ),
1536 array( 'name' => 'sysop', 'callback' => array( $this, 'createSysop' ) ),
1537 array( 'name' => 'mainpage', 'callback' => array( $this, 'createMainpage' ) ),
1540 // Build the array of install steps starting from the core install list,
1541 // then adding any callbacks that wanted to attach after a given step
1542 foreach ( $coreInstallSteps as $step ) {
1543 $this->installSteps[] = $step;
1544 if ( isset( $this->extraInstallSteps[$step['name']] ) ) {
1545 $this->installSteps = array_merge(
1546 $this->installSteps,
1547 $this->extraInstallSteps[$step['name']]
1552 // Prepend any steps that want to be at the beginning
1553 if ( isset( $this->extraInstallSteps['BEGINNING'] ) ) {
1554 $this->installSteps = array_merge(
1555 $this->extraInstallSteps['BEGINNING'],
1556 $this->installSteps
1560 // Extensions should always go first, chance to tie into hooks and such
1561 if ( count( $this->getVar( '_Extensions' ) ) ) {
1562 array_unshift( $this->installSteps,
1563 array( 'name' => 'extensions', 'callback' => array( $this, 'includeExtensions' ) )
1565 $this->installSteps[] = array(
1566 'name' => 'extension-tables',
1567 'callback' => array( $installer, 'createExtensionTables' )
1571 return $this->installSteps;
1575 * Actually perform the installation.
1577 * @param callable $startCB A callback array for the beginning of each step
1578 * @param callable $endCB A callback array for the end of each step
1580 * @return array Array of Status objects
1582 public function performInstallation( $startCB, $endCB ) {
1583 $installResults = array();
1584 $installer = $this->getDBInstaller();
1585 $installer->preInstall();
1586 $steps = $this->getInstallSteps( $installer );
1587 foreach ( $steps as $stepObj ) {
1588 $name = $stepObj['name'];
1589 call_user_func_array( $startCB, array( $name ) );
1591 // Perform the callback step
1592 $status = call_user_func( $stepObj['callback'], $installer );
1594 // Output and save the results
1595 call_user_func( $endCB, $name, $status );
1596 $installResults[$name] = $status;
1598 // If we've hit some sort of fatal, we need to bail.
1599 // Callback already had a chance to do output above.
1600 if ( !$status->isOk() ) {
1601 break;
1604 if ( $status->isOk() ) {
1605 $this->setVar( '_InstallDone', true );
1608 return $installResults;
1612 * Generate $wgSecretKey. Will warn if we had to use an insecure random source.
1614 * @return Status
1616 public function generateKeys() {
1617 $keys = array( 'wgSecretKey' => 64 );
1618 if ( strval( $this->getVar( 'wgUpgradeKey' ) ) === '' ) {
1619 $keys['wgUpgradeKey'] = 16;
1622 return $this->doGenerateKeys( $keys );
1626 * Generate a secret value for variables using our CryptRand generator.
1627 * Produce a warning if the random source was insecure.
1629 * @param array $keys
1630 * @return Status
1632 protected function doGenerateKeys( $keys ) {
1633 $status = Status::newGood();
1635 $strong = true;
1636 foreach ( $keys as $name => $length ) {
1637 $secretKey = MWCryptRand::generateHex( $length, true );
1638 if ( !MWCryptRand::wasStrong() ) {
1639 $strong = false;
1642 $this->setVar( $name, $secretKey );
1645 if ( !$strong ) {
1646 $names = array_keys( $keys );
1647 $names = preg_replace( '/^(.*)$/', '\$$1', $names );
1648 global $wgLang;
1649 $status->warning( 'config-insecure-keys', $wgLang->listToText( $names ), count( $names ) );
1652 return $status;
1656 * Create the first user account, grant it sysop and bureaucrat rights
1658 * @return Status
1660 protected function createSysop() {
1661 $name = $this->getVar( '_AdminName' );
1662 $user = User::newFromName( $name );
1664 if ( !$user ) {
1665 // We should've validated this earlier anyway!
1666 return Status::newFatal( 'config-admin-error-user', $name );
1669 if ( $user->idForName() == 0 ) {
1670 $user->addToDatabase();
1672 try {
1673 $user->setPassword( $this->getVar( '_AdminPassword' ) );
1674 } catch ( PasswordError $pwe ) {
1675 return Status::newFatal( 'config-admin-error-password', $name, $pwe->getMessage() );
1678 $user->addGroup( 'sysop' );
1679 $user->addGroup( 'bureaucrat' );
1680 if ( $this->getVar( '_AdminEmail' ) ) {
1681 $user->setEmail( $this->getVar( '_AdminEmail' ) );
1683 $user->saveSettings();
1685 // Update user count
1686 $ssUpdate = new SiteStatsUpdate( 0, 0, 0, 0, 1 );
1687 $ssUpdate->doUpdate();
1689 $status = Status::newGood();
1691 if ( $this->getVar( '_Subscribe' ) && $this->getVar( '_AdminEmail' ) ) {
1692 $this->subscribeToMediaWikiAnnounce( $status );
1695 return $status;
1699 * @param Status $s
1701 private function subscribeToMediaWikiAnnounce( Status $s ) {
1702 $params = array(
1703 'email' => $this->getVar( '_AdminEmail' ),
1704 'language' => 'en',
1705 'digest' => 0
1708 // Mailman doesn't support as many languages as we do, so check to make
1709 // sure their selected language is available
1710 $myLang = $this->getVar( '_UserLang' );
1711 if ( in_array( $myLang, $this->mediaWikiAnnounceLanguages ) ) {
1712 $myLang = $myLang == 'pt-br' ? 'pt_BR' : $myLang; // rewrite to Mailman's pt_BR
1713 $params['language'] = $myLang;
1716 if ( MWHttpRequest::canMakeRequests() ) {
1717 $res = MWHttpRequest::factory( $this->mediaWikiAnnounceUrl,
1718 array( 'method' => 'POST', 'postData' => $params ), __METHOD__ )->execute();
1719 if ( !$res->isOK() ) {
1720 $s->warning( 'config-install-subscribe-fail', $res->getMessage() );
1722 } else {
1723 $s->warning( 'config-install-subscribe-notpossible' );
1728 * Insert Main Page with default content.
1730 * @param DatabaseInstaller $installer
1731 * @return Status
1733 protected function createMainpage( DatabaseInstaller $installer ) {
1734 $status = Status::newGood();
1735 try {
1736 $page = WikiPage::factory( Title::newMainPage() );
1737 $content = new WikitextContent(
1738 wfMessage( 'mainpagetext' )->inContentLanguage()->text() . "\n\n" .
1739 wfMessage( 'mainpagedocfooter' )->inContentLanguage()->text()
1742 $page->doEditContent( $content,
1744 EDIT_NEW,
1745 false,
1746 User::newFromName( 'MediaWiki default' )
1748 } catch ( Exception $e ) {
1749 //using raw, because $wgShowExceptionDetails can not be set yet
1750 $status->fatal( 'config-install-mainpage-failed', $e->getMessage() );
1753 return $status;
1757 * Override the necessary bits of the config to run an installation.
1759 public static function overrideConfig() {
1760 define( 'MW_NO_SESSION', 1 );
1762 // Don't access the database
1763 $GLOBALS['wgUseDatabaseMessages'] = false;
1764 // Don't cache langconv tables
1765 $GLOBALS['wgLanguageConverterCacheType'] = CACHE_NONE;
1766 // Debug-friendly
1767 $GLOBALS['wgShowExceptionDetails'] = true;
1768 // Don't break forms
1769 $GLOBALS['wgExternalLinkTarget'] = '_blank';
1771 // Extended debugging
1772 $GLOBALS['wgShowSQLErrors'] = true;
1773 $GLOBALS['wgShowDBErrorBacktrace'] = true;
1775 // Allow multiple ob_flush() calls
1776 $GLOBALS['wgDisableOutputCompression'] = true;
1778 // Use a sensible cookie prefix (not my_wiki)
1779 $GLOBALS['wgCookiePrefix'] = 'mw_installer';
1781 // Some of the environment checks make shell requests, remove limits
1782 $GLOBALS['wgMaxShellMemory'] = 0;
1786 * Add an installation step following the given step.
1788 * @param callable $callback A valid installation callback array, in this form:
1789 * array( 'name' => 'some-unique-name', 'callback' => array( $obj, 'function' ) );
1790 * @param string $findStep The step to find. Omit to put the step at the beginning
1792 public function addInstallStep( $callback, $findStep = 'BEGINNING' ) {
1793 $this->extraInstallSteps[$findStep][] = $callback;
1797 * Disable the time limit for execution.
1798 * Some long-running pages (Install, Upgrade) will want to do this
1800 protected function disableTimeLimit() {
1801 MediaWiki\suppressWarnings();
1802 set_time_limit( 0 );
1803 MediaWiki\restoreWarnings();