MediaWiki  1.29.2
DatabaseInstaller.php
Go to the documentation of this file.
1 <?php
26 
33 abstract class DatabaseInstaller {
34 
42  public $parent;
43 
49  public $db = null;
50 
56  protected $internalDefaults = [];
57 
63  protected $globalNames = [];
64 
68  abstract public function getName();
69 
73  abstract public function isCompiled();
74 
80  public function checkPrerequisites() {
81  return Status::newGood();
82  }
83 
91  abstract public function getConnectForm();
92 
102  abstract public function submitConnectForm();
103 
111  public function getSettingsForm() {
112  return false;
113  }
114 
121  public function submitSettingsForm() {
122  return Status::newGood();
123  }
124 
133  abstract public function openConnection();
134 
141  abstract public function setupDatabase();
142 
152  public function getConnection() {
153  if ( $this->db ) {
154  return Status::newGood( $this->db );
155  }
156 
157  $status = $this->openConnection();
158  if ( $status->isOK() ) {
159  $this->db = $status->value;
160  // Enable autocommit
161  $this->db->clearFlag( DBO_TRX );
162  $this->db->commit( __METHOD__ );
163  }
164 
165  return $status;
166  }
167 
176  private function stepApplySourceFile(
177  $sourceFileMethod,
178  $stepName,
179  $archiveTableMustNotExist = false
180  ) {
181  $status = $this->getConnection();
182  if ( !$status->isOK() ) {
183  return $status;
184  }
185  $this->db->selectDB( $this->getVar( 'wgDBname' ) );
186 
187  if ( $archiveTableMustNotExist && $this->db->tableExists( 'archive', __METHOD__ ) ) {
188  $status->warning( "config-$stepName-tables-exist" );
189  $this->enableLB();
190 
191  return $status;
192  }
193 
194  $this->db->setFlag( DBO_DDLMODE ); // For Oracle's handling of schema files
195  $this->db->begin( __METHOD__ );
196 
197  $error = $this->db->sourceFile(
198  call_user_func( [ $this, $sourceFileMethod ], $this->db )
199  );
200  if ( $error !== true ) {
201  $this->db->reportQueryError( $error, 0, '', __METHOD__ );
202  $this->db->rollback( __METHOD__ );
203  $status->fatal( "config-$stepName-tables-failed", $error );
204  } else {
205  $this->db->commit( __METHOD__ );
206  }
207  // Resume normal operations
208  if ( $status->isOK() ) {
209  $this->enableLB();
210  }
211 
212  return $status;
213  }
214 
220  public function createTables() {
221  return $this->stepApplySourceFile( 'getSchemaPath', 'install', true );
222  }
223 
229  public function insertUpdateKeys() {
230  return $this->stepApplySourceFile( 'getUpdateKeysPath', 'updates', false );
231  }
232 
241  private function getSqlFilePath( $db, $filename ) {
242  global $IP;
243 
244  $dbmsSpecificFilePath = "$IP/maintenance/" . $db->getType() . "/$filename";
245  if ( file_exists( $dbmsSpecificFilePath ) ) {
246  return $dbmsSpecificFilePath;
247  } else {
248  return "$IP/maintenance/$filename";
249  }
250  }
251 
259  public function getSchemaPath( $db ) {
260  return $this->getSqlFilePath( $db, 'tables.sql' );
261  }
262 
270  public function getUpdateKeysPath( $db ) {
271  return $this->getSqlFilePath( $db, 'update-keys.sql' );
272  }
273 
278  public function createExtensionTables() {
279  $status = $this->getConnection();
280  if ( !$status->isOK() ) {
281  return $status;
282  }
283 
284  // Now run updates to create tables for old extensions
285  DatabaseUpdater::newForDB( $this->db )->doUpdates( [ 'extensions' ] );
286 
287  return $status;
288  }
289 
295  abstract public function getLocalSettings();
296 
302  public function getSchemaVars() {
303  return [];
304  }
305 
312  public function setupSchemaVars() {
313  $status = $this->getConnection();
314  if ( $status->isOK() ) {
315  $status->value->setSchemaVars( $this->getSchemaVars() );
316  } else {
317  $msg = __METHOD__ . ': unexpected error while establishing'
318  . ' a database connection with message: '
319  . $status->getMessage()->plain();
320  throw new MWException( $msg );
321  }
322  }
323 
329  public function enableLB() {
330  $status = $this->getConnection();
331  if ( !$status->isOK() ) {
332  throw new MWException( __METHOD__ . ': unexpected DB connection error' );
333  }
334 
335  \MediaWiki\MediaWikiServices::resetGlobalInstance();
336  $services = \MediaWiki\MediaWikiServices::getInstance();
337 
338  $connection = $status->value;
339  $services->redefineService( 'DBLoadBalancerFactory', function() use ( $connection ) {
340  return LBFactorySingle::newFromConnection( $connection );
341  } );
342  }
343 
349  public function doUpgrade() {
350  $this->setupSchemaVars();
351  $this->enableLB();
352 
353  $ret = true;
354  ob_start( [ $this, 'outputHandler' ] );
355  $up = DatabaseUpdater::newForDB( $this->db );
356  try {
357  $up->doUpdates();
358  } catch ( MWException $e ) {
359  echo "\nAn error occurred:\n";
360  echo $e->getText();
361  $ret = false;
362  } catch ( Exception $e ) {
363  echo "\nAn error occurred:\n";
364  echo $e->getMessage();
365  $ret = false;
366  }
367  $up->purgeCache();
368  ob_end_flush();
369 
370  return $ret;
371  }
372 
378  public function preInstall() {
379  }
380 
384  public function preUpgrade() {
385  }
386 
391  public function getGlobalNames() {
392  return $this->globalNames;
393  }
394 
400  public function __construct( $parent ) {
401  $this->parent = $parent;
402  }
403 
411  protected static function checkExtension( $name ) {
412  return extension_loaded( $name );
413  }
414 
419  public function getReadableName() {
420  // Messages: config-type-mysql, config-type-postgres, config-type-sqlite,
421  // config-type-oracle
422  return wfMessage( 'config-type-' . $this->getName() )->text();
423  }
424 
429  public function getGlobalDefaults() {
430  $defaults = [];
431  foreach ( $this->getGlobalNames() as $var ) {
432  if ( isset( $GLOBALS[$var] ) ) {
433  $defaults[$var] = $GLOBALS[$var];
434  }
435  }
436  return $defaults;
437  }
438 
443  public function getInternalDefaults() {
445  }
446 
453  public function getVar( $var, $default = null ) {
454  $defaults = $this->getGlobalDefaults();
455  $internal = $this->getInternalDefaults();
456  if ( isset( $defaults[$var] ) ) {
457  $default = $defaults[$var];
458  } elseif ( isset( $internal[$var] ) ) {
459  $default = $internal[$var];
460  }
461 
462  return $this->parent->getVar( $var, $default );
463  }
464 
470  public function setVar( $name, $value ) {
471  $this->parent->setVar( $name, $value );
472  }
473 
483  public function getTextBox( $var, $label, $attribs = [], $helpData = "" ) {
484  $name = $this->getName() . '_' . $var;
485  $value = $this->getVar( $var );
486  if ( !isset( $attribs ) ) {
487  $attribs = [];
488  }
489 
490  return $this->parent->getTextBox( [
491  'var' => $var,
492  'label' => $label,
493  'attribs' => $attribs,
494  'controlName' => $name,
495  'value' => $value,
496  'help' => $helpData
497  ] );
498  }
499 
510  public function getPasswordBox( $var, $label, $attribs = [], $helpData = "" ) {
511  $name = $this->getName() . '_' . $var;
512  $value = $this->getVar( $var );
513  if ( !isset( $attribs ) ) {
514  $attribs = [];
515  }
516 
517  return $this->parent->getPasswordBox( [
518  'var' => $var,
519  'label' => $label,
520  'attribs' => $attribs,
521  'controlName' => $name,
522  'value' => $value,
523  'help' => $helpData
524  ] );
525  }
526 
536  public function getCheckBox( $var, $label, $attribs = [], $helpData = "" ) {
537  $name = $this->getName() . '_' . $var;
538  $value = $this->getVar( $var );
539 
540  return $this->parent->getCheckBox( [
541  'var' => $var,
542  'label' => $label,
543  'attribs' => $attribs,
544  'controlName' => $name,
545  'value' => $value,
546  'help' => $helpData
547  ] );
548  }
549 
562  public function getRadioSet( $params ) {
563  $params['controlName'] = $this->getName() . '_' . $params['var'];
564  $params['value'] = $this->getVar( $params['var'] );
565 
566  return $this->parent->getRadioSet( $params );
567  }
568 
576  public function setVarsFromRequest( $varNames ) {
577  return $this->parent->setVarsFromRequest( $varNames, $this->getName() . '_' );
578  }
579 
590  public function needsUpgrade() {
591  $status = $this->getConnection();
592  if ( !$status->isOK() ) {
593  return false;
594  }
595 
596  if ( !$this->db->selectDB( $this->getVar( 'wgDBname' ) ) ) {
597  return false;
598  }
599 
600  return $this->db->tableExists( 'cur', __METHOD__ ) ||
601  $this->db->tableExists( 'revision', __METHOD__ );
602  }
603 
609  public function getInstallUserBox() {
610  return Html::openElement( 'fieldset' ) .
611  Html::element( 'legend', [], wfMessage( 'config-db-install-account' )->text() ) .
612  $this->getTextBox(
613  '_InstallUser',
614  'config-db-username',
615  [ 'dir' => 'ltr' ],
616  $this->parent->getHelpBox( 'config-db-install-username' )
617  ) .
618  $this->getPasswordBox(
619  '_InstallPassword',
620  'config-db-password',
621  [ 'dir' => 'ltr' ],
622  $this->parent->getHelpBox( 'config-db-install-password' )
623  ) .
624  Html::closeElement( 'fieldset' );
625  }
626 
631  public function submitInstallUserBox() {
632  $this->setVarsFromRequest( [ '_InstallUser', '_InstallPassword' ] );
633 
634  return Status::newGood();
635  }
636 
644  public function getWebUserBox( $noCreateMsg = false ) {
645  $wrapperStyle = $this->getVar( '_SameAccount' ) ? 'display: none' : '';
646  $s = Html::openElement( 'fieldset' ) .
647  Html::element( 'legend', [], wfMessage( 'config-db-web-account' )->text() ) .
648  $this->getCheckBox(
649  '_SameAccount', 'config-db-web-account-same',
650  [ 'class' => 'hideShowRadio', 'rel' => 'dbOtherAccount' ]
651  ) .
652  Html::openElement( 'div', [ 'id' => 'dbOtherAccount', 'style' => $wrapperStyle ] ) .
653  $this->getTextBox( 'wgDBuser', 'config-db-username' ) .
654  $this->getPasswordBox( 'wgDBpassword', 'config-db-password' ) .
655  $this->parent->getHelpBox( 'config-db-web-help' );
656  if ( $noCreateMsg ) {
657  $s .= $this->parent->getWarningBox( wfMessage( $noCreateMsg )->plain() );
658  } else {
659  $s .= $this->getCheckBox( '_CreateDBAccount', 'config-db-web-create' );
660  }
661  $s .= Html::closeElement( 'div' ) . Html::closeElement( 'fieldset' );
662 
663  return $s;
664  }
665 
671  public function submitWebUserBox() {
672  $this->setVarsFromRequest(
673  [ 'wgDBuser', 'wgDBpassword', '_SameAccount', '_CreateDBAccount' ]
674  );
675 
676  if ( $this->getVar( '_SameAccount' ) ) {
677  $this->setVar( 'wgDBuser', $this->getVar( '_InstallUser' ) );
678  $this->setVar( 'wgDBpassword', $this->getVar( '_InstallPassword' ) );
679  }
680 
681  if ( $this->getVar( '_CreateDBAccount' ) && strval( $this->getVar( 'wgDBpassword' ) ) == '' ) {
682  return Status::newFatal( 'config-db-password-empty', $this->getVar( 'wgDBuser' ) );
683  }
684 
685  return Status::newGood();
686  }
687 
693  public function populateInterwikiTable() {
694  $status = $this->getConnection();
695  if ( !$status->isOK() ) {
696  return $status;
697  }
698  $this->db->selectDB( $this->getVar( 'wgDBname' ) );
699 
700  if ( $this->db->selectRow( 'interwiki', '*', [], __METHOD__ ) ) {
701  $status->warning( 'config-install-interwiki-exists' );
702 
703  return $status;
704  }
705  global $IP;
706  MediaWiki\suppressWarnings();
707  $rows = file( "$IP/maintenance/interwiki.list",
708  FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES );
709  MediaWiki\restoreWarnings();
710  $interwikis = [];
711  if ( !$rows ) {
712  return Status::newFatal( 'config-install-interwiki-list' );
713  }
714  foreach ( $rows as $row ) {
715  $row = preg_replace( '/^\s*([^#]*?)\s*(#.*)?$/', '\\1', $row ); // strip comments - whee
716  if ( $row == "" ) {
717  continue;
718  }
719  $row .= "|";
720  $interwikis[] = array_combine(
721  [ 'iw_prefix', 'iw_url', 'iw_local', 'iw_api', 'iw_wikiid' ],
722  explode( '|', $row )
723  );
724  }
725  $this->db->insert( 'interwiki', $interwikis, __METHOD__ );
726 
727  return Status::newGood();
728  }
729 
730  public function outputHandler( $string ) {
731  return htmlspecialchars( $string );
732  }
733 }
DatabaseInstaller\$globalNames
array $globalNames
Array of MW configuration globals this class uses.
Definition: DatabaseInstaller.php:63
Wikimedia\Rdbms\Database
Relational database abstraction object.
Definition: Database.php:45
file
We ve cleaned up the code here by removing clumps of infrequently used code and moving them off somewhere else It s much easier for someone working with this code to see what s _really_ going and make changes or fix bugs In we can take all the code that deals with the little used title reversing we can concentrate it all in an extension file
Definition: hooks.txt:93
DatabaseInstaller\checkExtension
static checkExtension( $name)
Convenience function.
Definition: DatabaseInstaller.php:411
text
design txt This is a brief overview of the new design More thorough and up to date information is available on the documentation wiki at etc Handles the details of getting and saving to the user table of the and dealing with sessions and cookies OutputPage Encapsulates the entire HTML page that will be sent in response to any server request It is used by calling its functions to add text
Definition: design.txt:12
DatabaseInstaller\doUpgrade
doUpgrade()
Perform database upgrades.
Definition: DatabaseInstaller.php:349
WebInstaller
Class for the core installer web interface.
Definition: WebInstaller.php:30
DatabaseInstaller\getConnection
getConnection()
Connect to the database using the administrative user/password currently defined in the session.
Definition: DatabaseInstaller.php:152
$status
this hook is for auditing only RecentChangesLinked and Watchlist RecentChangesLinked and Watchlist Do not use this to implement individual filters if they are compatible with the ChangesListFilter and ChangesListFilterGroup structure use sub classes of those in conjunction with the ChangesListSpecialPageStructuredFilters hook This hook can be used to implement filters that do not implement that or custom behavior that is not an individual filter e g Watchlist and Watchlist you will want to construct new ChangesListBooleanFilter or ChangesListStringOptionsFilter objects When constructing you specify which group they belong to You can reuse existing or create your you must register them with $special registerFilterGroup removed from all revisions and log entries to which it was applied This gives extensions a chance to take it off their books as the deletion has already been partly carried out by this point or something similar the user will be unable to create the tag set $status
Definition: hooks.txt:1049
use
as see the revision history and available at free of to any person obtaining a copy of this software and associated documentation to deal in the Software without including without limitation the rights to use
Definition: MIT-LICENSE.txt:10
StatusValue\newFatal
static newFatal( $message)
Factory function for fatal errors.
Definition: StatusValue.php:63
$params
$params
Definition: styleTest.css.php:40
DatabaseInstaller\getTextBox
getTextBox( $var, $label, $attribs=[], $helpData="")
Get a labelled text box to configure a local variable.
Definition: DatabaseInstaller.php:483
DatabaseInstaller\checkPrerequisites
checkPrerequisites()
Checks for installation prerequisites other than those checked by isCompiled()
Definition: DatabaseInstaller.php:80
DatabaseInstaller\getSchemaVars
getSchemaVars()
Override this to provide DBMS-specific schema variables, to be substituted into tables....
Definition: DatabaseInstaller.php:302
$s
$s
Definition: mergeMessageFileList.php:188
$name
Allows to change the fields on the form that will be generated $name
Definition: hooks.txt:304
DatabaseInstaller\preUpgrade
preUpgrade()
Allow DB installers a chance to make checks before upgrade.
Definition: DatabaseInstaller.php:384
DatabaseInstaller\preInstall
preInstall()
Allow DB installers a chance to make last-minute changes before installation occurs.
Definition: DatabaseInstaller.php:378
DatabaseInstaller\submitSettingsForm
submitSettingsForm()
Set variables based on the request array, assuming it was submitted via the form return by getSetting...
Definition: DatabaseInstaller.php:121
DatabaseInstaller\getLocalSettings
getLocalSettings()
Get the DBMS-specific options for LocalSettings.php generation.
DBO_TRX
const DBO_TRX
Definition: defines.php:12
php
injection txt This is an overview of how MediaWiki makes use of dependency injection The design described here grew from the discussion of RFC T384 The term dependency this means that anything an object needs to operate should be injected from the the object itself should only know narrow no concrete implementation of the logic it relies on The requirement to inject everything typically results in an architecture that based on two main types of and essentially stateless service objects that use other service objects to operate on the value objects As of the beginning MediaWiki is only starting to use the DI approach Much of the code still relies on global state or direct resulting in a highly cyclical dependency which acts as the top level factory for services in MediaWiki which can be used to gain access to default instances of various services MediaWikiServices however also allows new services to be defined and default services to be redefined Services are defined or redefined by providing a callback the instantiator that will return a new instance of the service When it will create an instance of MediaWikiServices and populate it with the services defined in the files listed by thereby bootstrapping the DI framework Per $wgServiceWiringFiles lists includes ServiceWiring php
Definition: injection.txt:35
DatabaseInstaller\getReadableName
getReadableName()
Get the internationalised name for this DBMS.
Definition: DatabaseInstaller.php:419
Wikimedia\Rdbms\IDatabase
Basic database interface for live and lazy-loaded relation database handles.
Definition: IDatabase.php:40
DatabaseInstaller\createTables
createTables()
Create database tables from scratch.
Definition: DatabaseInstaller.php:220
DatabaseInstaller\getInternalDefaults
getInternalDefaults()
Get a name=>value map of internal variables used during installation.
Definition: DatabaseInstaller.php:443
Html\closeElement
static closeElement( $element)
Returns "</$element>".
Definition: Html.php:309
DatabaseInstaller\getSqlFilePath
getSqlFilePath( $db, $filename)
Return a path to the DBMS-specific SQL file if it exists, otherwise default SQL file.
Definition: DatabaseInstaller.php:241
DatabaseInstaller\getConnectForm
getConnectForm()
Get HTML for a web form that configures this database.
MWException
MediaWiki exception.
Definition: MWException.php:26
DatabaseInstaller\getPasswordBox
getPasswordBox( $var, $label, $attribs=[], $helpData="")
Get a labelled password box to configure a local variable.
Definition: DatabaseInstaller.php:510
Wikimedia\Rdbms\LBFactorySingle
An LBFactory class that always returns a single database object.
Definition: LBFactorySingle.php:32
DatabaseInstaller\submitConnectForm
submitConnectForm()
Set variables based on the request array, assuming it was submitted via the form returned by getConne...
DatabaseInstaller\getUpdateKeysPath
getUpdateKeysPath( $db)
Return a path to the DBMS-specific update key file, otherwise default to update-keys....
Definition: DatabaseInstaller.php:270
DatabaseInstaller\submitWebUserBox
submitWebUserBox()
Submit the form from getWebUserBox().
Definition: DatabaseInstaller.php:671
DatabaseInstaller\getName
getName()
Return the internal name, e.g.
DatabaseInstaller\outputHandler
outputHandler( $string)
Definition: DatabaseInstaller.php:730
$attribs
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses just before the function returns a value If you return an< a > element with HTML attributes $attribs and contents $html will be returned If you return $ret will be returned and may include noclasses after processing & $attribs
Definition: hooks.txt:1956
$IP
$IP
Definition: update.php:3
DatabaseInstaller\setupSchemaVars
setupSchemaVars()
Set appropriate schema variables in the current database connection.
Definition: DatabaseInstaller.php:312
global
when a variable name is used in a it is silently declared as a new masking the global
Definition: design.txt:93
DatabaseInstaller\getSchemaPath
getSchemaPath( $db)
Return a path to the DBMS-specific schema file, otherwise default to tables.sql.
Definition: DatabaseInstaller.php:259
$GLOBALS
$GLOBALS['wgAutoloadClasses']['LocalisationUpdate']
Definition: Autoload.php:10
DatabaseInstaller\getWebUserBox
getWebUserBox( $noCreateMsg=false)
Get a standard web-user fieldset.
Definition: DatabaseInstaller.php:644
$services
static configuration should be added through ResourceLoaderGetConfigVars instead can be used to get the real title after the basic globals have been set but before ordinary actions take place or wrap services the preferred way to define a new service is the $wgServiceWiringFiles array $services
Definition: hooks.txt:2179
DatabaseInstaller\getRadioSet
getRadioSet( $params)
Get a set of labelled radio buttons.
Definition: DatabaseInstaller.php:562
DatabaseInstaller\stepApplySourceFile
stepApplySourceFile( $sourceFileMethod, $stepName, $archiveTableMustNotExist=false)
Apply a SQL source file to the database as part of running an installation step.
Definition: DatabaseInstaller.php:176
DatabaseInstaller\getGlobalDefaults
getGlobalDefaults()
Get a name=>value map of MW configuration globals for the default values.
Definition: DatabaseInstaller.php:429
$e
div flags Integer display flags(NO_ACTION_LINK, NO_EXTRA_USER_LINKS) 'LogException' returning false will NOT prevent logging $e
Definition: hooks.txt:2122
DatabaseUpdater\newForDB
static newForDB(Database $db, $shared=false, $maintenance=null)
Definition: DatabaseUpdater.php:187
$value
$value
Definition: styleTest.css.php:45
DatabaseInstaller\getVar
getVar( $var, $default=null)
Get a variable, taking local defaults into account.
Definition: DatabaseInstaller.php:453
StatusValue\newGood
static newGood( $value=null)
Factory function for good results.
Definition: StatusValue.php:76
DBO_DDLMODE
const DBO_DDLMODE
Definition: defines.php:16
DatabaseInstaller\createExtensionTables
createExtensionTables()
Create the tables for each extension the user enabled.
Definition: DatabaseInstaller.php:278
DatabaseInstaller\submitInstallUserBox
submitInstallUserBox()
Submit a standard install user fieldset.
Definition: DatabaseInstaller.php:631
DatabaseInstaller
Base class for DBMS-specific installation helper classes.
Definition: DatabaseInstaller.php:33
$ret
null means default in associative array with keys and values unescaped Should be merged with default with a value of false meaning to suppress the attribute in associative array with keys and values unescaped noclasses & $ret
Definition: hooks.txt:1956
plain
either a plain
Definition: hooks.txt:2007
DatabaseInstaller\getGlobalNames
getGlobalNames()
Get an array of MW configuration globals that will be configured by this class.
Definition: DatabaseInstaller.php:391
DatabaseInstaller\getSettingsForm
getSettingsForm()
Get HTML for a web form that retrieves settings used for installation.
Definition: DatabaseInstaller.php:111
DatabaseInstaller\openConnection
openConnection()
Open a connection to the database using the administrative user/password currently defined in the ses...
DatabaseInstaller\enableLB
enableLB()
Set up LBFactory so that wfGetDB() etc.
Definition: DatabaseInstaller.php:329
DatabaseInstaller\populateInterwikiTable
populateInterwikiTable()
Common function for databases that don't understand the MySQLish syntax of interwiki....
Definition: DatabaseInstaller.php:693
as
This document is intended to provide useful advice for parties seeking to redistribute MediaWiki to end users It s targeted particularly at maintainers for Linux since it s been observed that distribution packages of MediaWiki often break We ve consistently had to recommend that users seeking support use official tarballs instead of their distribution s and this often solves whatever problem the user is having It would be nice if this could such as
Definition: distributors.txt:9
Html\openElement
static openElement( $element, $attribs=[])
Identical to rawElement(), but has no third parameter and omits the end tag (and the self-closing '/'...
Definition: Html.php:251
DatabaseInstaller\setVar
setVar( $name, $value)
Convenience alias for $this->parent->setVar()
Definition: DatabaseInstaller.php:470
DatabaseInstaller\getInstallUserBox
getInstallUserBox()
Get a standard install-user fieldset.
Definition: DatabaseInstaller.php:609
DatabaseInstaller\setVarsFromRequest
setVarsFromRequest( $varNames)
Convenience function to set variables based on form data.
Definition: DatabaseInstaller.php:576
Wikimedia\Rdbms\IDatabase\getType
getType()
Get the type of the DBMS, as it appears in $wgDBtype.
DatabaseInstaller\$parent
WebInstaller $parent
The Installer object.
Definition: DatabaseInstaller.php:42
DatabaseInstaller\isCompiled
isCompiled()
wfMessage
either a unescaped string or a HtmlArmor object after in associative array form externallinks including delete and has completed for all link tables whether this was an auto creation default is conds Array Extra conditions for the No matching items in log is displayed if loglist is empty msgKey Array If you want a nice box with a set this to the key of the message First element is the message additional optional elements are parameters for the key that are processed with wfMessage() -> params() ->parseAsBlock() - offset Set to overwrite offset parameter in $wgRequest set to '' to unset offset - wrap String Wrap the message in html(usually something like "&lt
DatabaseInstaller\$db
Database $db
The database connection.
Definition: DatabaseInstaller.php:49
DatabaseInstaller\setupDatabase
setupDatabase()
Create the database and return a Status object indicating success or failure.
DatabaseInstaller\insertUpdateKeys
insertUpdateKeys()
Insert update keys into table to prevent running unneded updates.
Definition: DatabaseInstaller.php:229
Html\element
static element( $element, $attribs=[], $contents='')
Identical to rawElement(), but HTML-escapes $contents (like Xml::element()).
Definition: Html.php:231
DatabaseInstaller\$internalDefaults
array $internalDefaults
Internal variables for installation.
Definition: DatabaseInstaller.php:56
DatabaseInstaller\getCheckBox
getCheckBox( $var, $label, $attribs=[], $helpData="")
Get a labelled checkbox to configure a local boolean variable.
Definition: DatabaseInstaller.php:536
array
the array() calling protocol came about after MediaWiki 1.4rc1.
DatabaseInstaller\__construct
__construct( $parent)
Construct and initialise parent.
Definition: DatabaseInstaller.php:400
DatabaseInstaller\needsUpgrade
needsUpgrade()
Determine whether an existing installation of MediaWiki is present in the configured administrative c...
Definition: DatabaseInstaller.php:590