applicationinstaller.class.inc.php 29 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869
  1. <?php
  2. // Copyright (C) 2010-2012 Combodo SARL
  3. //
  4. // This file is part of iTop.
  5. //
  6. // iTop is free software; you can redistribute it and/or modify
  7. // it under the terms of the GNU Affero General Public License as published by
  8. // the Free Software Foundation, either version 3 of the License, or
  9. // (at your option) any later version.
  10. //
  11. // iTop is distributed in the hope that it will be useful,
  12. // but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. // GNU Affero General Public License for more details.
  15. //
  16. // You should have received a copy of the GNU Affero General Public License
  17. // along with iTop. If not, see <http://www.gnu.org/licenses/>
  18. require_once(APPROOT.'setup/parameters.class.inc.php');
  19. require_once(APPROOT.'setup/xmldataloader.class.inc.php');
  20. require_once(APPROOT.'setup/backup.class.inc.php');
  21. /**
  22. * The base class for the installation process.
  23. * The installation process is split into a sequence of unitary steps
  24. * for performance reasons (i.e; timeout, memory usage) and also in order
  25. * to provide some feedback about the progress of the installation.
  26. *
  27. * This class can be used for a step by step interactive installation
  28. * while displaying a progress bar, or in an unattended manner
  29. * (for example from the command line), to run all the steps
  30. * in one go.
  31. * @copyright Copyright (C) 2010-2012 Combodo SARL
  32. * @license http://opensource.org/licenses/AGPL-3.0
  33. */
  34. class ApplicationInstaller
  35. {
  36. const OK = 1;
  37. const ERROR = 2;
  38. const WARNING = 3;
  39. const INFO = 4;
  40. protected $oParams;
  41. protected static $bMetaModelStarted = false;
  42. public function __construct($oParams)
  43. {
  44. $this->oParams = $oParams;
  45. }
  46. /**
  47. * Runs all the installation steps in one go and directly outputs
  48. * some information about the progress and the success of the various
  49. * sequential steps.
  50. * @return boolean True if the installation was successful, false otherwise
  51. */
  52. public function ExecuteAllSteps()
  53. {
  54. $sStep = '';
  55. $sStepLabel = '';
  56. $iOverallStatus = self::OK;
  57. do
  58. {
  59. if($sStep != '')
  60. {
  61. echo "$sStepLabel\n";
  62. echo "Executing '$sStep'\n";
  63. }
  64. else
  65. {
  66. echo "Starting the installation...\n";
  67. }
  68. $aRes = $this->ExecuteStep($sStep);
  69. $sStep = $aRes['next-step'];
  70. $sStepLabel = $aRes['next-step-label'];
  71. switch($aRes['status'])
  72. {
  73. case self::OK;
  74. echo "Ok. ".$aRes['percentage-completed']." % done.\n";
  75. break;
  76. case self::ERROR:
  77. $iOverallStatus = self::ERROR;
  78. echo "Error: ".$aRes['message']."\n";
  79. break;
  80. case self::WARNING:
  81. $iOverallStatus = self::WARNING;
  82. echo "Warning: ".$aRes['message']."\n";
  83. echo $aRes['percentage-completed']." % done.\n";
  84. break;
  85. case self::INFO:
  86. echo "Info: ".$aRes['message']."\n";
  87. echo $aRes['percentage-completed']." % done.\n";
  88. break;
  89. }
  90. }
  91. while(($aRes['status'] != self::ERROR) && ($aRes['next-step'] != ''));
  92. return ($iOverallStatus == self::OK);
  93. }
  94. /**
  95. * Executes the next step of the installation and reports about the progress
  96. * and the next step to perform
  97. * @param string $sStep The identifier of the step to execute
  98. * @return hash An array of (status => , message => , percentage-completed => , next-step => , next-step-label => )
  99. */
  100. public function ExecuteStep($sStep = '')
  101. {
  102. try
  103. {
  104. switch($sStep)
  105. {
  106. case '':
  107. $aResult = array(
  108. 'status' => self::OK,
  109. 'message' => '',
  110. 'percentage-completed' => 0,
  111. 'next-step' => 'copy',
  112. 'next-step-label' => 'Copying data model files',
  113. );
  114. // Log the parameters...
  115. $oDoc = new DOMDocument('1.0', 'UTF-8');
  116. $oDoc->preserveWhiteSpace = false;
  117. $oDoc->formatOutput = true;
  118. $this->oParams->ToXML($oDoc, null, 'installation');
  119. $sXML = $oDoc->saveXML();
  120. $sSafeXml = preg_replace("|<pwd>([^<]*)</pwd>|", "<pwd>**removed**</pwd>", $sXML);
  121. SetupPage::log_info("======= Installation starts =======\nParameters:\n$sSafeXml\n");
  122. // Save the response file as a stand-alone file as well
  123. $sFileName = 'install-'.date('Y-m-d');
  124. $index = 0;
  125. while(file_exists(APPROOT.'log/'.$sFileName.'.xml'))
  126. {
  127. $index++;
  128. $sFileName = 'install-'.date('Y-m-d').'-'.$index;
  129. }
  130. file_put_contents(APPROOT.'log/'.$sFileName.'.xml', $sSafeXml);
  131. break;
  132. case 'copy':
  133. $aPreinstall = $this->oParams->Get('preinstall');
  134. $aCopies = $aPreinstall['copies'];
  135. $sReport = self::DoCopy($aCopies);
  136. $sReport = "Copying...";
  137. $aResult = array(
  138. 'status' => self::OK,
  139. 'message' => $sReport,
  140. );
  141. if (isset($aPreinstall['backup']))
  142. {
  143. $aResult['next-step'] = 'backup';
  144. $aResult['next-step-label'] = 'Performing a backup of the database';
  145. $aResult['percentage-completed'] = 20;
  146. }
  147. else
  148. {
  149. $aResult['next-step'] = 'compile';
  150. $aResult['next-step-label'] = 'Compiling the data model';
  151. $aResult['percentage-completed'] = 20;
  152. }
  153. break;
  154. case 'backup':
  155. $aPreinstall = $this->oParams->Get('preinstall');
  156. // __DB__-%Y-%m-%d.zip
  157. $sDestination = $aPreinstall['backup']['destination'];
  158. $sSourceConfigFile = $aPreinstall['backup']['configuration_file'];
  159. $aDBParams = $this->oParams->Get('database');
  160. self::DoBackup($aDBParams['server'], $aDBParams['user'], $aDBParams['pwd'], $aDBParams['name'], $aDBParams['prefix'], $sDestination, $sSourceConfigFile);
  161. $aResult = array(
  162. 'status' => self::OK,
  163. 'message' => "Created backup",
  164. 'next-step' => 'compile',
  165. 'next-step-label' => 'Compiling the data model',
  166. 'percentage-completed' => 20,
  167. );
  168. break;
  169. case 'compile':
  170. $aSelectedModules = $this->oParams->Get('selected_modules');
  171. $sSourceDir = $this->oParams->Get('source_dir', 'datamodels/latest');
  172. $sExtensionDir = $this->oParams->Get('extensions_dir', 'extensions');
  173. $sTargetEnvironment = $this->oParams->Get('target_env', '');
  174. if ($sTargetEnvironment == '')
  175. {
  176. $sTargetEnvironment = 'production';
  177. }
  178. $sTargetDir = 'env-'.$sTargetEnvironment;
  179. $sWorkspaceDir = $this->oParams->Get('workspace_dir', 'workspace');
  180. $bUseSymbolicLinks = false;
  181. $aMiscOptions = $this->oParams->Get('options', array());
  182. if (isset($aMiscOptions['symlinks']) && $aMiscOptions['symlinks'] )
  183. {
  184. if (function_exists('symlink'))
  185. {
  186. $bUseSymbolicLinks = true;
  187. SetupPage::log_info("Using symbolic links instead of copying data model files (for developers only!)");
  188. }
  189. else
  190. {
  191. SetupPage::log_info("Symbolic links (function symlinks) does not seem to be supported on this platform (OS/PHP version).");
  192. }
  193. }
  194. self::DoCompile($aSelectedModules, $sSourceDir, $sExtensionDir, $sTargetDir, $sWorkspaceDir, $bUseSymbolicLinks);
  195. $aResult = array(
  196. 'status' => self::OK,
  197. 'message' => '',
  198. 'next-step' => 'db-schema',
  199. 'next-step-label' => 'Updating database schema',
  200. 'percentage-completed' => 40,
  201. );
  202. break;
  203. case 'db-schema':
  204. $sMode = $this->oParams->Get('mode');
  205. $aSelectedModules = $this->oParams->Get('selected_modules', array());
  206. $sTargetEnvironment = $this->oParams->Get('target_env', '');
  207. if ($sTargetEnvironment == '')
  208. {
  209. $sTargetEnvironment = 'production';
  210. }
  211. $sTargetDir = 'env-'.$sTargetEnvironment;
  212. $aDBParams = $this->oParams->Get('database');
  213. $sDBServer = $aDBParams['server'];
  214. $sDBUser = $aDBParams['user'];
  215. $sDBPwd = $aDBParams['pwd'];
  216. $sDBName = $aDBParams['name'];
  217. $sDBPrefix = $aDBParams['prefix'];
  218. $bOldAddon = $this->oParams->Get('old_addon', false);
  219. self::DoUpdateDBSchema($sMode, $aSelectedModules, $sTargetDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sTargetEnvironment, $bOldAddon);
  220. $aResult = array(
  221. 'status' => self::OK,
  222. 'message' => '',
  223. 'next-step' => 'after-db-create',
  224. 'next-step-label' => 'Creating profiles',
  225. 'percentage-completed' => 60,
  226. );
  227. break;
  228. case 'after-db-create':
  229. $sMode = $this->oParams->Get('mode');
  230. $sTargetEnvironment = $this->oParams->Get('target_env', '');
  231. if ($sTargetEnvironment == '')
  232. {
  233. $sTargetEnvironment = 'production';
  234. }
  235. $sTargetDir = 'env-'.$sTargetEnvironment;
  236. $aDBParams = $this->oParams->Get('database');
  237. $sDBServer = $aDBParams['server'];
  238. $sDBUser = $aDBParams['user'];
  239. $sDBPwd = $aDBParams['pwd'];
  240. $sDBName = $aDBParams['name'];
  241. $sDBPrefix = $aDBParams['prefix'];
  242. $aAdminParams = $this->oParams->Get('admin_account');
  243. $sAdminUser = $aAdminParams['user'];
  244. $sAdminPwd = $aAdminParams['pwd'];
  245. $sAdminLanguage = $aAdminParams['language'];
  246. $sLanguage = $this->oParams->Get('language');
  247. $aSelectedModules = $this->oParams->Get('selected_modules', array());
  248. $sDataModelVersion = $this->oParams->Get('datamodel_version', '0.0.0');
  249. $bOldAddon = $this->oParams->Get('old_addon', false);
  250. $sSourceDir = $this->oParams->Get('source_dir', '');
  251. self::AfterDBCreate($sMode, $sTargetDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sAdminUser,
  252. $sAdminPwd, $sAdminLanguage, $sLanguage, $aSelectedModules, $sTargetEnvironment, $bOldAddon, $sDataModelVersion, $sSourceDir);
  253. $aResult = array(
  254. 'status' => self::OK,
  255. 'message' => '',
  256. 'next-step' => 'sample-data',
  257. 'next-step-label' => 'Loading sample data',
  258. 'percentage-completed' => 80,
  259. );
  260. $bLoadData = ($this->oParams->Get('sample_data', 0) == 1);
  261. if (!$bLoadData)
  262. {
  263. $aResult['next-step'] = 'create-config';
  264. $aResult['next-step-label'] = 'Creating the configuration File';
  265. }
  266. break;
  267. case 'sample-data':
  268. $aSelectedModules = $this->oParams->Get('selected_modules');
  269. $sTargetEnvironment = $this->oParams->Get('target_env', '');
  270. $sTargetDir = 'env-'.(($sTargetEnvironment == '') ? 'production' : $sTargetEnvironment);
  271. $aDBParams = $this->oParams->Get('database');
  272. $sDBServer = $aDBParams['server'];
  273. $sDBUser = $aDBParams['user'];
  274. $sDBPwd = $aDBParams['pwd'];
  275. $sDBName = $aDBParams['name'];
  276. $sDBPrefix = $aDBParams['prefix'];
  277. $aFiles = $this->oParams->Get('files', array());
  278. $bOldAddon = $this->oParams->Get('old_addon', false);
  279. self::DoLoadFiles($aSelectedModules, $sTargetDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sTargetEnvironment, $bOldAddon);
  280. $aResult = array(
  281. 'status' => self::INFO,
  282. 'message' => 'All data loaded',
  283. 'next-step' => 'create-config',
  284. 'next-step-label' => 'Creating the configuration File',
  285. 'percentage-completed' => 99,
  286. );
  287. break;
  288. case 'create-config':
  289. $sMode = $this->oParams->Get('mode');
  290. $sTargetEnvironment = $this->oParams->Get('target_env', '');
  291. if ($sTargetEnvironment == '')
  292. {
  293. $sTargetEnvironment = 'production';
  294. }
  295. $sTargetDir = 'env-'.$sTargetEnvironment;
  296. $aDBParams = $this->oParams->Get('database');
  297. $sDBServer = $aDBParams['server'];
  298. $sDBUser = $aDBParams['user'];
  299. $sDBPwd = $aDBParams['pwd'];
  300. $sDBName = $aDBParams['name'];
  301. $sDBPrefix = $aDBParams['prefix'];
  302. $sUrl = $this->oParams->Get('url', '');
  303. $sLanguage = $this->oParams->Get('language', '');
  304. $aSelectedModules = $this->oParams->Get('selected_modules', array());
  305. $bOldAddon = $this->oParams->Get('old_addon', false);
  306. $sSourceDir = $this->oParams->Get('source_dir', '');
  307. $sPreviousConfigFile = $this->oParams->Get('previous_configuration_file', '');
  308. self::DoCreateConfig($sMode, $sTargetDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sUrl, $sLanguage, $aSelectedModules, $sTargetEnvironment, $bOldAddon, $sSourceDir, $sPreviousConfigFile);
  309. $aResult = array(
  310. 'status' => self::INFO,
  311. 'message' => 'Configuration file created',
  312. 'next-step' => '',
  313. 'next-step-label' => 'Completed',
  314. 'percentage-completed' => 100,
  315. );
  316. break;
  317. default:
  318. $aResult = array(
  319. 'status' => self::ERROR,
  320. 'message' => '',
  321. 'next-step' => '',
  322. 'next-step-label' => "Unknown setup step '$sStep'.",
  323. 'percentage-completed' => 100,
  324. );
  325. }
  326. }
  327. catch(Exception $e)
  328. {
  329. $aResult = array(
  330. 'status' => self::ERROR,
  331. 'message' => $e->getMessage(),
  332. 'next-step' => '',
  333. 'next-step-label' => '',
  334. 'percentage-completed' => 100,
  335. );
  336. SetupPage::log_error('An exception occurred: '.$e->getMessage().' at line '.$e->getLine().' in file '.$e->getFile());
  337. $idx = 0;
  338. // Log the call stack, but not the parameters since they may contain passwords or other sensitive data
  339. SetupPage::log("Call stack:");
  340. foreach($e->getTrace() as $aTrace)
  341. {
  342. $sLine = empty($aTrace['line']) ? "" : $aTrace['line'];
  343. $sFile = empty($aTrace['file']) ? "" : $aTrace['file'];
  344. $sClass = empty($aTrace['class']) ? "" : $aTrace['class'];
  345. $sType = empty($aTrace['type']) ? "" : $aTrace['type'];
  346. $sFunction = empty($aTrace['function']) ? "" : $aTrace['function'];
  347. $sVerb = empty($sClass) ? $sFunction : "$sClass{$sType}$sFunction";
  348. SetupPage::log("#$idx $sFile($sLine): $sVerb(...)");
  349. $idx++;
  350. }
  351. }
  352. return $aResult;
  353. }
  354. protected static function DoCopy($aCopies)
  355. {
  356. $aReports = array();
  357. foreach ($aCopies as $aCopy)
  358. {
  359. $sSource = $aCopy['source'];
  360. $sDestination = APPROOT.$aCopy['destination'];
  361. SetupUtils::builddir($sDestination);
  362. SetupUtils::tidydir($sDestination);
  363. SetupUtils::copydir($sSource, $sDestination);
  364. $aReports[] = "'{$aCopy['source']}' to '{$aCopy['destination']}' (OK)";
  365. }
  366. if (count($aReports) > 0)
  367. {
  368. $sReport = "Copies: ".count($aReports).': '.implode('; ', $aReports);
  369. }
  370. else
  371. {
  372. $sReport = "No file copy";
  373. }
  374. return $sReport;
  375. }
  376. protected static function DoBackup($sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sBackupFile, $sSourceConfigFile)
  377. {
  378. $oBackup = new DBBackup($sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix);
  379. $sZipFile = $oBackup->MakeName($sBackupFile);
  380. $oBackup->CreateZip($sZipFile, $sSourceConfigFile);
  381. }
  382. protected static function DoCompile($aSelectedModules, $sSourceDir, $sExtensionDir, $sTargetDir, $sWorkspaceDir = '', $bUseSymbolicLinks = false)
  383. {
  384. SetupPage::log_info("Compiling data model.");
  385. require_once(APPROOT.'setup/modulediscovery.class.inc.php');
  386. require_once(APPROOT.'setup/modelfactory.class.inc.php');
  387. require_once(APPROOT.'setup/compiler.class.inc.php');
  388. if (empty($sSourceDir) || empty($sTargetDir))
  389. {
  390. throw new Exception("missing parameter source_dir and/or target_dir");
  391. }
  392. $sSourcePath = APPROOT.$sSourceDir;
  393. $aDirsToScan = array($sSourcePath);
  394. $sExtensionsPath = APPROOT.$sExtensionDir;
  395. if (is_dir($sExtensionsPath))
  396. {
  397. // if the extensions dir exists, scan it for additional modules as well
  398. $aDirsToScan[] = $sExtensionsPath;
  399. }
  400. $sTargetPath = APPROOT.$sTargetDir;
  401. if (!is_dir($sSourcePath))
  402. {
  403. throw new Exception("Failed to find the source directory '$sSourcePath', please check the rights of the web server");
  404. }
  405. if (!is_dir($sTargetPath))
  406. {
  407. if (!mkdir($sTargetPath))
  408. {
  409. throw new Exception("Failed to create directory '$sTargetPath', please check the rights of the web server");
  410. }
  411. else
  412. {
  413. // adjust the rights if and only if the directory was just created
  414. // owner:rwx user/group:rx
  415. chmod($sTargetPath, 0755);
  416. }
  417. }
  418. else if (substr($sTargetPath, 0, strlen(APPROOT)) == APPROOT)
  419. {
  420. // If the directory is under the root folder - as expected - let's clean-it before compiling
  421. SetupUtils::tidydir($sTargetPath);
  422. }
  423. $oFactory = new ModelFactory($aDirsToScan);
  424. $aModules = $oFactory->FindModules();
  425. foreach($aModules as $foo => $oModule)
  426. {
  427. $sModule = $oModule->GetName();
  428. if (in_array($sModule, $aSelectedModules))
  429. {
  430. $oFactory->LoadModule($oModule);
  431. }
  432. }
  433. if (strlen($sWorkspaceDir) > 0)
  434. {
  435. $oWorkspace = new MFWorkspace(APPROOT.$sWorkspaceDir);
  436. if (file_exists($oWorkspace->GetWorkspacePath()))
  437. {
  438. $oFactory->LoadModule($oWorkspace);
  439. }
  440. }
  441. //$oFactory->Dump();
  442. if ($oFactory->HasLoadErrors())
  443. {
  444. foreach($oFactory->GetLoadErrors() as $sModuleId => $aErrors)
  445. {
  446. SetupPage::log_error("Data model source file (xml) could not be loaded - found errors in module: $sModuleId");
  447. foreach($aErrors as $oXmlError)
  448. {
  449. SetupPage::log_error("Load error: File: ".$oXmlError->file." Line:".$oXmlError->line." Message:".$oXmlError->message);
  450. }
  451. }
  452. throw new Exception("The data model could not be compiled. Please check the setup error log");
  453. }
  454. else
  455. {
  456. $oMFCompiler = new MFCompiler($oFactory);
  457. $oMFCompiler->Compile($sTargetPath, null, $bUseSymbolicLinks);
  458. //$aCompilerLog = $oMFCompiler->GetLog();
  459. //SetupPage::log_info(implode("\n", $aCompilerLog));
  460. SetupPage::log_info("Data model successfully compiled to '$sTargetPath'.");
  461. }
  462. // Special case to patch a ugly patch in itop-config-mgmt
  463. $sFileToPatch = $sTargetPath.'/itop-config-mgmt-1.0.0/model.itop-config-mgmt.php';
  464. if (file_exists($sFileToPatch))
  465. {
  466. $sContent = file_get_contents($sFileToPatch);
  467. $sContent = str_replace("require_once(APPROOT.'modules/itop-welcome-itil/model.itop-welcome-itil.php');", "//\n// The line below is no longer needed in iTop 2.0 -- patched by the setup program\n// require_once(APPROOT.'modules/itop-welcome-itil/model.itop-welcome-itil.php');", $sContent);
  468. file_put_contents($sFileToPatch, $sContent);
  469. }
  470. }
  471. protected static function DoUpdateDBSchema($sMode, $aSelectedModules, $sModulesDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sTargetEnvironment = '', $bOldAddon = false)
  472. {
  473. SetupPage::log_info("Update Database Schema for environment '$sTargetEnvironment'.");
  474. $oConfig = new Config();
  475. $aParamValues = array(
  476. 'db_server' => $sDBServer,
  477. 'db_user' => $sDBUser,
  478. 'db_pwd' => $sDBPwd,
  479. 'db_name' => $sDBName,
  480. 'db_prefix' => $sDBPrefix,
  481. );
  482. $oConfig->UpdateFromParams($aParamValues, $sModulesDir);
  483. if ($bOldAddon)
  484. {
  485. // Old version of the add-on for backward compatibility with pre-2.0 data models
  486. $oConfig->SetAddons(array(
  487. 'user rights' => 'addons/userrights/userrightsprofile.db.class.inc.php',
  488. ));
  489. }
  490. $oProductionEnv = new RunTimeEnvironment($sTargetEnvironment);
  491. $oProductionEnv->InitDataModel($oConfig, true); // load data model only
  492. // Migrate application data format
  493. //
  494. // priv_internalUser caused troubles because MySQL transforms table names to lower case under Windows
  495. // This becomes an issue when moving your installation data to/from Windows
  496. // Starting 2.0, all table names must be lowercase
  497. if ($sMode != 'install')
  498. {
  499. SetupPage::log_info("Renaming '{$sDBPrefix}priv_internalUser' into '{$sDBPrefix}priv_internaluser' (lowercase)");
  500. // This command will have no effect under Windows...
  501. // and it has been written in two steps so as to make it work under windows!
  502. CMDBSource::SelectDB($sDBName);
  503. try
  504. {
  505. $sRepair = "RENAME TABLE `{$sDBPrefix}priv_internalUser` TO `{$sDBPrefix}priv_internaluser_other`, `{$sDBPrefix}priv_internaluser_other` TO `{$sDBPrefix}priv_internaluser`";
  506. CMDBSource::Query($sRepair);
  507. }
  508. catch (Exception $e)
  509. {
  510. SetupPage::log_info("Renaming '{$sDBPrefix}priv_internalUser' failed (already done in a previous upgrade?)");
  511. }
  512. }
  513. // Module specific actions (migrate the data)
  514. //
  515. $aAvailableModules = $oProductionEnv->AnalyzeInstallation(MetaModel::GetConfig(), APPROOT.$sModulesDir);
  516. foreach($aAvailableModules as $sModuleId => $aModule)
  517. {
  518. if (($sModuleId != ROOT_MODULE) && in_array($sModuleId, $aSelectedModules) &&
  519. isset($aAvailableModules[$sModuleId]['installer']) )
  520. {
  521. $sModuleInstallerClass = $aAvailableModules[$sModuleId]['installer'];
  522. SetupPage::log_info("Calling Module Handler: $sModuleInstallerClass::BeforeDatabaseCreation(oConfig, {$aModule['version_db']}, {$aModule['version_code']})");
  523. $aCallSpec = array($sModuleInstallerClass, 'BeforeDatabaseCreation');
  524. call_user_func_array($aCallSpec, array(MetaModel::GetConfig(), $aModule['version_db'], $aModule['version_code']));
  525. }
  526. }
  527. if(!$oProductionEnv->CreateDatabaseStructure(MetaModel::GetConfig(), $sMode))
  528. {
  529. throw new Exception("Failed to create/upgrade the database structure for environment '$sTargetEnvironment'");
  530. }
  531. SetupPage::log_info("Database Schema Successfully Updated for environment '$sTargetEnvironment'.");
  532. }
  533. protected static function AfterDBCreate($sMode, $sModulesDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sAdminUser, $sAdminPwd, $sAdminLanguage, $sLanguage, $aSelectedModules, $sTargetEnvironment, $bOldAddon, $sDataModelVersion, $sSourceDir)
  534. {
  535. SetupPage::log_info('After Database Creation');
  536. $oConfig = new Config();
  537. $aParamValues = array(
  538. 'db_server' => $sDBServer,
  539. 'db_user' => $sDBUser,
  540. 'db_pwd' => $sDBPwd,
  541. 'db_name' => $sDBName,
  542. 'db_prefix' => $sDBPrefix,
  543. );
  544. $oConfig->UpdateFromParams($aParamValues, $sModulesDir);
  545. if ($bOldAddon)
  546. {
  547. // Old version of the add-on for backward compatibility with pre-2.0 data models
  548. $oConfig->SetAddons(array(
  549. 'user rights' => 'addons/userrights/userrightsprofile.db.class.inc.php',
  550. ));
  551. }
  552. $oConfig->Set('source_dir', $sSourceDir); // Needed by RecordInstallation below
  553. $oProductionEnv = new RunTimeEnvironment($sTargetEnvironment);
  554. $oProductionEnv->InitDataModel($oConfig, true); // load data model and connect to the database
  555. self::$bMetaModelStarted = true; // No need to reload the final MetaModel in case the installer runs synchronously
  556. // Perform here additional DB setup... profiles, etc...
  557. //
  558. $aAvailableModules = $oProductionEnv->AnalyzeInstallation(MetaModel::GetConfig(), APPROOT.$sModulesDir);
  559. foreach($aAvailableModules as $sModuleId => $aModule)
  560. {
  561. if (($sModuleId != ROOT_MODULE) && in_array($sModuleId, $aSelectedModules) &&
  562. isset($aAvailableModules[$sModuleId]['installer']) )
  563. {
  564. $sModuleInstallerClass = $aAvailableModules[$sModuleId]['installer'];
  565. SetupPage::log_info("Calling Module Handler: $sModuleInstallerClass::AfterDatabaseCreation(oConfig, {$aModule['version_db']}, {$aModule['version_code']})");
  566. // The validity of the sModuleInstallerClass has been established in BuildConfig()
  567. $aCallSpec = array($sModuleInstallerClass, 'AfterDatabaseCreation');
  568. call_user_func_array($aCallSpec, array(MetaModel::GetConfig(), $aModule['version_db'], $aModule['version_code']));
  569. }
  570. }
  571. // Constant classes (e.g. User profiles)
  572. //
  573. foreach (MetaModel::GetClasses() as $sClass)
  574. {
  575. $aPredefinedObjects = call_user_func(array($sClass, 'GetPredefinedObjects'));
  576. if ($aPredefinedObjects != null)
  577. {
  578. SetupPage::log_info("$sClass::GetPredefinedObjects() returned ".count($aPredefinedObjects)." elements.");
  579. // Create/Delete/Update objects of this class,
  580. // according to the given constant values
  581. //
  582. $aDBIds = array();
  583. $oAll = new DBObjectSet(new DBObjectSearch($sClass));
  584. while ($oObj = $oAll->Fetch())
  585. {
  586. if (array_key_exists($oObj->GetKey(), $aPredefinedObjects))
  587. {
  588. $aObjValues = $aPredefinedObjects[$oObj->GetKey()];
  589. foreach ($aObjValues as $sAttCode => $value)
  590. {
  591. $oObj->Set($sAttCode, $value);
  592. }
  593. $oObj->DBUpdate();
  594. $aDBIds[$oObj->GetKey()] = true;
  595. }
  596. else
  597. {
  598. $oObj->DBDelete();
  599. }
  600. }
  601. foreach ($aPredefinedObjects as $iRefId => $aObjValues)
  602. {
  603. if (!array_key_exists($iRefId, $aDBIds))
  604. {
  605. $oNewObj = MetaModel::NewObject($sClass);
  606. $oNewObj->SetKey($iRefId);
  607. foreach ($aObjValues as $sAttCode => $value)
  608. {
  609. $oNewObj->Set($sAttCode, $value);
  610. }
  611. $oNewObj->DBInsert();
  612. }
  613. }
  614. }
  615. }
  616. if (!$oProductionEnv->RecordInstallation($oConfig, $sDataModelVersion, $aSelectedModules, $sModulesDir))
  617. {
  618. throw new Exception("Failed to record the installation information");
  619. }
  620. if($sMode == 'install')
  621. {
  622. if (!self::CreateAdminAccount(MetaModel::GetConfig(), $sAdminUser, $sAdminPwd, $sAdminLanguage))
  623. {
  624. throw(new Exception("Failed to create the administrator account '$sAdminUser'"));
  625. }
  626. else
  627. {
  628. SetupPage::log_info("Administrator account '$sAdminUser' created.");
  629. }
  630. }
  631. }
  632. /**
  633. * Helper function to create and administrator account for iTop
  634. * @return boolean true on success, false otherwise
  635. */
  636. protected static function CreateAdminAccount(Config $oConfig, $sAdminUser, $sAdminPwd, $sLanguage)
  637. {
  638. SetupPage::log_info('CreateAdminAccount');
  639. if (UserRights::CreateAdministrator($sAdminUser, $sAdminPwd, $sLanguage))
  640. {
  641. return true;
  642. }
  643. else
  644. {
  645. return false;
  646. }
  647. }
  648. protected static function DoLoadFiles($aSelectedModules, $sModulesDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sTargetEnvironment = '', $bOldAddon = false)
  649. {
  650. $aParamValues = array(
  651. 'db_server' => $sDBServer,
  652. 'db_user' => $sDBUser,
  653. 'db_pwd' => $sDBPwd,
  654. 'db_name' => $sDBName,
  655. 'new_db_name' => $sDBName,
  656. 'db_prefix' => $sDBPrefix,
  657. );
  658. $oConfig = new Config();
  659. $oConfig->UpdateFromParams($aParamValues, $sModulesDir);
  660. if ($bOldAddon)
  661. {
  662. // Old version of the add-on for backward compatibility with pre-2.0 data models
  663. $oConfig->SetAddons(array(
  664. 'user rights' => 'addons/userrights/userrightsprofile.db.class.inc.php',
  665. ));
  666. }
  667. //Load the MetaModel if needed (asynchronous mode)
  668. if (!self::$bMetaModelStarted)
  669. {
  670. $oProductionEnv = new RunTimeEnvironment($sTargetEnvironment);
  671. $oProductionEnv->InitDataModel($oConfig, false); // load data model and connect to the database
  672. self::$bMetaModelStarted = true; // No need to reload the final MetaModel in case the installer runs synchronously
  673. }
  674. $oDataLoader = new XMLDataLoader();
  675. CMDBObject::SetTrackInfo("Initialization");
  676. $oMyChange = CMDBObject::GetCurrentChange();
  677. SetupPage::log_info("starting data load session");
  678. $oDataLoader->StartSession($oMyChange);
  679. $aFiles = array();
  680. $oProductionEnv = new RunTimeEnvironment();
  681. $aAvailableModules = $oProductionEnv->AnalyzeInstallation($oConfig, APPROOT.$sModulesDir);
  682. foreach($aAvailableModules as $sModuleId => $aModule)
  683. {
  684. if (($sModuleId != ROOT_MODULE))
  685. {
  686. if (in_array($sModuleId, $aSelectedModules))
  687. {
  688. $aFiles = array_merge(
  689. $aFiles,
  690. $aAvailableModules[$sModuleId]['data.struct'],
  691. $aAvailableModules[$sModuleId]['data.sample']
  692. );
  693. }
  694. }
  695. }
  696. foreach($aFiles as $sFileRelativePath)
  697. {
  698. $sFileName = APPROOT.$sFileRelativePath;
  699. SetupPage::log_info("Loading file: $sFileName");
  700. if (empty($sFileName) || !file_exists($sFileName))
  701. {
  702. throw(new Exception("File $sFileName does not exist"));
  703. }
  704. $oDataLoader->LoadFile($sFileName);
  705. $sResult = sprintf("loading of %s done.", basename($sFileName));
  706. SetupPage::log_info($sResult);
  707. }
  708. $oDataLoader->EndSession();
  709. SetupPage::log_info("ending data load session");
  710. }
  711. protected static function DoCreateConfig($sMode, $sModulesDir, $sDBServer, $sDBUser, $sDBPwd, $sDBName, $sDBPrefix, $sUrl, $sLanguage, $aSelectedModules, $sTargetEnvironment, $bOldAddon, $sSourceDir, $sPreviousConfigFile)
  712. {
  713. $aParamValues = array(
  714. 'db_server' => $sDBServer,
  715. 'db_user' => $sDBUser,
  716. 'db_pwd' => $sDBPwd,
  717. 'db_name' => $sDBName,
  718. 'new_db_name' => $sDBName,
  719. 'db_prefix' => $sDBPrefix,
  720. 'application_path' => $sUrl,
  721. 'language' => $sLanguage,
  722. 'selected_modules' => implode(',', $aSelectedModules),
  723. );
  724. $bPreserveModuleSettings = false;
  725. if ($sMode == 'upgrade')
  726. {
  727. try
  728. {
  729. $oOldConfig = new Config($sPreviousConfigFile);
  730. $oConfig = clone($oOldConfig);
  731. $bPreserveModuleSettings = true;
  732. }
  733. catch(Exception $e)
  734. {
  735. // In case the previous configuration is corrupted... start with a blank new one
  736. $oConfig = new Config();
  737. }
  738. }
  739. else
  740. {
  741. $oConfig = new Config();
  742. }
  743. // Migration: force utf8_unicode_ci as the collation to make the global search
  744. // NON case sensitive
  745. $oConfig->SetDBCollation('utf8_unicode_ci');
  746. // Final config update: add the modules
  747. $oConfig->UpdateFromParams($aParamValues, $sModulesDir, $bPreserveModuleSettings);
  748. if ($bOldAddon)
  749. {
  750. // Old version of the add-on for backward compatibility with pre-2.0 data models
  751. $oConfig->SetAddons(array(
  752. 'user rights' => 'addons/userrights/userrightsprofile.db.class.inc.php',
  753. ));
  754. }
  755. $oConfig->Set('source_dir', $sSourceDir);
  756. // Make sure the root configuration directory exists
  757. if (!file_exists(APPCONF))
  758. {
  759. mkdir(APPCONF);
  760. chmod(APPCONF, 0770); // RWX for owner and group, nothing for others
  761. SetupPage::log_info("Created configuration directory: ".APPCONF);
  762. }
  763. // Write the final configuration file
  764. $sConfigFile = APPCONF.(($sTargetEnvironment == '') ? 'production' : $sTargetEnvironment).'/'.ITOP_CONFIG_FILE;
  765. $sConfigDir = dirname($sConfigFile);
  766. @mkdir($sConfigDir);
  767. @chmod($sConfigDir, 0770); // RWX for owner and group, nothing for others
  768. $oConfig->WriteToFile($sConfigFile);
  769. // try to make the final config file read-only
  770. @chmod($sConfigFile, 0444); // Read-only for owner and group, nothing for others
  771. // Ready to go !!
  772. require_once(APPROOT.'core/dict.class.inc.php');
  773. MetaModel::ResetCache();
  774. }
  775. }