='); } /** * This function checks if a php extension exists or not and returns an HTML status string. * * @param string $extensionName Name of the PHP extension to be checked * @param string $returnSuccess Text to show when extension is available (defaults to 'Yes') * @param string $returnFailure Text to show when extension is available (defaults to 'No') * @param bool $optional Whether this extension is optional (then show unavailable text in orange rather than red) * @param string $enabledTerm If this string is not null, then use to check if the corresponding parameter is = 1. * If not, mention it's present but not enabled. For example, for opcache, this should be 'opcache.enable' * * @return string HTML string reporting the status of this extension. Language-aware. * * @author Christophe Gesch?? * @author Patrick Cool , Ghent University * @author Yannick Warnier */ function checkExtension( $extensionName, $returnSuccess = 'Yes', $returnFailure = 'No', $optional = false, $enabledTerm = '' ) { if (extension_loaded($extensionName)) { if (!empty($enabledTerm)) { $isEnabled = ini_get($enabledTerm); if ($isEnabled == '1') { return Display::label($returnSuccess, 'success'); } else { if ($optional) { return Display::label(get_lang('Extension installed but not enabled'), 'warning'); } else { return Display::label(get_lang('Extension installed but not enabled'), 'important'); } } } else { return Display::label($returnSuccess, 'success'); } } else { if ($optional) { return Display::label($returnFailure, 'warning'); } else { return Display::label($returnFailure, 'important'); } } } /** * This function checks whether a php setting matches the recommended value. * * @param string $phpSetting A PHP setting to check * @param string $recommendedValue A recommended value to show on screen * @param mixed $returnSuccess What to show on success * @param mixed $returnFailure What to show on failure * * @return string A label to show * * @author Patrick Cool , Ghent University */ function checkPhpSetting( $phpSetting, $recommendedValue, $returnSuccess = false, $returnFailure = false ) { $currentPhpValue = getPhpSetting($phpSetting); if ($currentPhpValue == $recommendedValue) { return Display::label($currentPhpValue.' '.$returnSuccess, 'success'); } else { return Display::label($currentPhpValue.' '.$returnSuccess, 'important'); } } /** * This function return the value of a php.ini setting if not "" or if exists, * otherwise return false. * * @param string $phpSetting The name of a PHP setting * * @return mixed The value of the setting, or false if not found */ function checkPhpSettingExists($phpSetting) { if (ini_get($phpSetting) != "") { return ini_get($phpSetting); } return false; } /** * Returns a textual value ('ON' or 'OFF') based on a requester 2-state ini- configuration setting. * * @param string $val a php ini value * * @return bool ON or OFF * * @author Joomla */ function getPhpSetting($val) { $value = ini_get($val); switch ($val) { case 'display_errors': global $originalDisplayErrors; $value = $originalDisplayErrors; break; } return $value == '1' ? 'ON' : 'OFF'; } /** * This function returns a string "true" or "false" according to the passed parameter. * * @param int $var The variable to present as text * * @return string the string "true" or "false" * * @author Christophe Gesch?? */ function trueFalse($var) { return $var ? 'true' : 'false'; } /** * Removes memory and time limits as much as possible. */ function remove_memory_and_time_limits() { if (function_exists('ini_set')) { ini_set('memory_limit', -1); ini_set('max_execution_time', 0); error_log('Update-db script: memory_limit set to -1', 0); error_log('Update-db script: max_execution_time 0', 0); } else { error_log('Update-db script: could not change memory and time limits', 0); } } /** * Detects browser's language. * * @return string Returns a language identificator, i.e. 'english', 'spanish', ... * * @author Ivan Tcholakov, 2010 */ function detect_browser_language() { static $language_index = [ 'ar' => 'arabic', 'ast' => 'asturian', 'bg' => 'bulgarian', 'bs' => 'bosnian', 'ca' => 'catalan', 'zh' => 'simpl_chinese', 'zh-tw' => 'trad_chinese', 'cs' => 'czech', 'da' => 'danish', 'prs' => 'dari', 'de' => 'german', 'el' => 'greek', 'en' => 'english', 'es' => 'spanish', 'eo' => 'esperanto', 'eu' => 'basque', 'fa' => 'persian', 'fr' => 'french', 'fur' => 'friulian', 'gl' => 'galician', 'ka' => 'georgian', 'hr' => 'croatian', 'he' => 'hebrew', 'hi' => 'hindi', 'id' => 'indonesian', 'it' => 'italian', 'ko' => 'korean', 'lv' => 'latvian', 'lt' => 'lithuanian', 'mk' => 'macedonian', 'hu' => 'hungarian', 'ms' => 'malay', 'nl' => 'dutch', 'ja' => 'japanese', 'no' => 'norwegian', 'oc' => 'occitan', 'ps' => 'pashto', 'pl' => 'polish', 'pt' => 'portuguese', 'pt-br' => 'brazilian', 'ro' => 'romanian', 'qu' => 'quechua_cusco', 'ru' => 'russian', 'sk' => 'slovak', 'sl' => 'slovenian', 'sr' => 'serbian', 'fi' => 'finnish', 'sv' => 'swedish', 'th' => 'thai', 'tr' => 'turkish', 'uk' => 'ukrainian', 'vi' => 'vietnamese', 'sw' => 'swahili', 'yo' => 'yoruba', ]; $system_available_languages = get_language_folder_list(); $accept_languages = strtolower(str_replace('_', '-', $_SERVER['HTTP_ACCEPT_LANGUAGE'])); foreach ($language_index as $code => $language) { if (strpos($accept_languages, $code) === 0) { if (!empty($system_available_languages[$language])) { return $language; } } } $user_agent = strtolower(str_replace('_', '-', $_SERVER['HTTP_USER_AGENT'])); foreach ($language_index as $code => $language) { if (@preg_match("/[\[\( ]{$code}[;,_\-\)]/", $user_agent)) { if (!empty($system_available_languages[$language])) { return $language; } } } return 'english'; } /* FILESYSTEM RELATED FUNCTIONS */ /** * This function checks if the given folder is writable. * * @param string $folder Full path to a folder * @param bool $suggestion Whether to show a suggestion or not * * @return string */ function check_writable($folder, $suggestion = false) { if (is_writable($folder)) { return Display::label(get_lang('Writable'), 'success'); } else { if ($suggestion) { return Display::label(get_lang('Not writable'), 'info'); } else { return Display::label(get_lang('Not writable'), 'important'); } } } /** * This function checks if the given folder is readable. * * @param string $folder Full path to a folder * @param bool $suggestion Whether to show a suggestion or not * * @return string */ function checkReadable($folder, $suggestion = false) { if (is_readable($folder)) { return Display::label(get_lang('Readable'), 'success'); } else { if ($suggestion) { return Display::label(get_lang('Not readable'), 'info'); } else { return Display::label(get_lang('Not readable'), 'important'); } } } /** * This function is similar to the core file() function, except that it * works with line endings in Windows (which is not the case of file()). * * @param string $filename * * @return array The lines of the file returned as an array */ function file_to_array($filename) { if (!is_readable($filename) || is_dir($filename)) { return []; } $fp = fopen($filename, 'rb'); $buffer = fread($fp, filesize($filename)); fclose($fp); return explode('
', nl2br($buffer)); } /** * We assume this function is called from install scripts that reside inside the install folder. */ function set_file_folder_permissions() { @chmod('.', 0755); //set permissions on install dir @chmod('..', 0755); //set permissions on parent dir of install dir } /** * Write the main system config file. * * @param string $path Path to the config file */ function write_system_config_file($path) { global $dbHostForm; global $dbPortForm; global $dbUsernameForm; global $dbPassForm; global $dbNameForm; global $urlForm; global $pathForm; global $urlAppendPath; global $languageForm; global $encryptPassForm; global $session_lifetime; global $new_version; global $new_version_stable; $root_sys = api_add_trailing_slash(str_replace('\\', '/', realpath($pathForm))); $content = file_get_contents(__DIR__.'/'.SYSTEM_CONFIG_FILENAME); $config['{DATE_GENERATED}'] = date('r'); $config['{DATABASE_HOST}'] = $dbHostForm; $config['{DATABASE_PORT}'] = $dbPortForm; $config['{DATABASE_USER}'] = $dbUsernameForm; $config['{DATABASE_PASSWORD}'] = $dbPassForm; $config['{DATABASE_MAIN}'] = $dbNameForm; $config['{ROOT_WEB}'] = $urlForm; $config['{ROOT_SYS}'] = $root_sys; $config['{URL_APPEND_PATH}'] = $urlAppendPath; $config['{PLATFORM_LANGUAGE}'] = $languageForm; $config['{SECURITY_KEY}'] = md5(uniqid(rand().time())); $config['{ENCRYPT_PASSWORD}'] = $encryptPassForm; $config['SESSION_LIFETIME'] = $session_lifetime; $config['{NEW_VERSION}'] = $new_version; $config['NEW_VERSION_STABLE'] = trueFalse($new_version_stable); foreach ($config as $key => $value) { $content = str_replace($key, $value, $content); } $fp = @fopen($path, 'w'); if (!$fp) { echo ' Your script doesn\'t have write access to the config directory
('.str_replace('\\', '/', realpath($path)).')

You probably do not have write access on Chamilo root directory, i.e. you should CHMOD 777 or 755 or 775.

Your problems can be related on two possible causes:
  • Permission problems.
    Try initially with chmod -R 777 and increase restrictions gradually.
  • PHP is running in Safe-Mode. If possible, try to switch it off.
Read about this problem in Support Forum

Please go back to step 5.

'; exit; } fwrite($fp, $content); fclose($fp); } /** * Returns a list of language directories. */ function get_language_folder_list() { return [ 'ar' => 'arabic', 'ast' => 'asturian', 'bg' => 'bulgarian', 'bs' => 'bosnian', 'ca' => 'catalan', 'zh' => 'simpl_chinese', 'zh-tw' => 'trad_chinese', 'cs' => 'czech', 'da' => 'danish', 'prs' => 'dari', 'de' => 'german', 'el' => 'greek', 'en' => 'english', 'es' => 'spanish', 'eo' => 'esperanto', 'eu' => 'basque', 'fa' => 'persian', 'fr' => 'french', 'fur' => 'friulian', 'gl' => 'galician', 'ka' => 'georgian', 'hr' => 'croatian', 'he' => 'hebrew', 'hi' => 'hindi', 'id' => 'indonesian', 'it' => 'italian', 'ko' => 'korean', 'lv' => 'latvian', 'lt' => 'lithuanian', 'mk' => 'macedonian', 'hu' => 'hungarian', 'ms' => 'malay', 'nl' => 'dutch', 'ja' => 'japanese', 'no' => 'norwegian', 'oc' => 'occitan', 'ps' => 'pashto', 'pl' => 'polish', 'pt' => 'portuguese', 'pt-br' => 'brazilian', 'ro' => 'romanian', 'qu' => 'quechua_cusco', 'ru' => 'russian', 'sk' => 'slovak', 'sl' => 'slovenian', 'sr' => 'serbian', 'fi' => 'finnish', 'sv' => 'swedish', 'th' => 'thai', 'tr' => 'turkish', 'uk' => 'ukrainian', 'vi' => 'vietnamese', 'sw' => 'swahili', 'yo' => 'yoruba', ]; } /** * This function returns the value of a parameter from the configuration file. * * WARNING - this function relies heavily on global variables $updateFromConfigFile * and $configFile, and also changes these globals. This can be rewritten. * * @param string $param the parameter of which the value is returned * @param string $updatePath If we want to give the path rather than take it from POST * * @return string the value of the parameter * * @author Olivier Brouckaert * @author Reworked by Ivan Tcholakov, 2010 */ function get_config_param($param, $updatePath = '') { global $configFile, $updateFromConfigFile; // Look if we already have the queried parameter. if (is_array($configFile) && isset($configFile[$param])) { return $configFile[$param]; } if (empty($updatePath) && !empty($_POST['updatePath'])) { $updatePath = $_POST['updatePath']; } if (empty($updatePath)) { $updatePath = api_get_path(SYS_PATH); } $updatePath = api_add_trailing_slash(str_replace('\\', '/', realpath($updatePath))); $updateFromInstalledVersionFile = ''; if (empty($updateFromConfigFile)) { // If update from previous install was requested, // try to recover config file from Chamilo 1.9.x if (file_exists($updatePath.'main/inc/conf/configuration.php')) { $updateFromConfigFile = 'main/inc/conf/configuration.php'; } elseif (file_exists($updatePath.'app/config/configuration.php')) { $updateFromConfigFile = 'app/config/configuration.php'; } elseif (file_exists($updatePath.'config/configuration.php')) { $updateFromConfigFile = 'config/configuration.php'; } else { // Give up recovering. //error_log('Chamilo Notice: Could not find previous config file at '.$updatePath.'main/inc/conf/configuration.php nor at '.$updatePath.'claroline/inc/conf/claro_main.conf.php in get_config_param(). Will start new config (in '.__FILE__.', line '.__LINE__.')', 0); return null; } } if (file_exists($updatePath.$updateFromConfigFile) && !is_dir($updatePath.$updateFromConfigFile) ) { require $updatePath.$updateFromConfigFile; $config = new Zend\Config\Config($_configuration); return $config->get($param); } error_log('Config array could not be found in get_config_param()', 0); return null; } /* DATABASE RELATED FUNCTIONS */ /** * Gets a configuration parameter from the database. Returns returns null on failure. * * @param string $param Name of param we want * * @return mixed The parameter value or null if not found */ function get_config_param_from_db($param = '') { $param = Database::escape_string($param); if (($res = Database::query("SELECT * FROM settings_current WHERE variable = '$param'")) !== false) { if (Database::num_rows($res) > 0) { $row = Database::fetch_array($res); return $row['selected_value']; } } return null; } /** * Connect to the database and returns the entity manager. * * @param string $dbHostForm DB host * @param string $dbUsernameForm DB username * @param string $dbPassForm DB password * @param string $dbNameForm DB name * @param int $dbPortForm DB port * * @return \Database */ function connectToDatabase( $dbHostForm, $dbUsernameForm, $dbPassForm, $dbNameForm, $dbPortForm = 3306 ) { $dbParams = [ 'driver' => 'pdo_mysql', 'host' => $dbHostForm, 'port' => $dbPortForm, 'user' => $dbUsernameForm, 'password' => $dbPassForm, 'dbname' => $dbNameForm, ]; $database = new \Database(); $database->connect($dbParams); return $database; } /* DISPLAY FUNCTIONS */ /** * This function prints class=active_step $current_step=$param. * * @param int $param A step in the installer process * * @author Patrick Cool , Ghent University */ function step_active($param) { global $current_step; if ($param == $current_step) { echo 'active'; } } /** * This function displays the Step X of Y -. * * @return string String that says 'Step X of Y' with the right values */ function display_step_sequence() { global $current_step; return get_lang('Step'.$current_step).' – '; } /** * Displays a drop down box for selection the preferred language. */ function display_language_selection_box( $name = 'language_list', $default_language = 'english' ) { // Reading language list. $language_list = get_language_folder_list(); // Sanity checks due to the possibility for customizations. if (!is_array($language_list) || empty($language_list)) { $language_list = ['en' => 'English']; } // Sorting again, if it is necessary. //asort($language_list); // More sanity checks. if (!array_key_exists($default_language, $language_list)) { if (array_key_exists('en', $language_list)) { $default_language = 'en'; } else { $language_keys = array_keys($language_list); $default_language = $language_keys[0]; } } // Displaying the box. $html = Display::select( 'language_list', $language_list, $default_language, ['class' => 'form-control selectpicker show-tick form-control'], false ); return $html; } /** * This function displays a language dropdown box so that the installatioin * can be done in the language of the user. */ function display_language_selection() { ?>

, Ghent University */ function display_requirements( $installType, $badUpdatePath, $updatePath = '', $update_from_version_8 = [] ) { global $_setting, $originalMemoryLimit; $dir = api_get_path(SYS_ARCHIVE_PATH).'temp/'; $fileToCreate = 'test'; $perms_dir = [0777, 0755, 0775, 0770, 0750, 0700]; $perms_fil = [0666, 0644, 0664, 0660, 0640, 0600]; $course_test_was_created = false; $dir_perm_verified = 0777; foreach ($perms_dir as $perm) { $r = @mkdir($dir, $perm); if ($r === true) { $dir_perm_verified = $perm; $course_test_was_created = true; break; } } $fil_perm_verified = 0666; $file_course_test_was_created = false; if (is_dir($dir)) { foreach ($perms_fil as $perm) { if ($file_course_test_was_created == true) { break; } $r = @touch($dir.'/'.$fileToCreate, $perm); if ($r === true) { $fil_perm_verified = $perm; $file_course_test_was_created = true; } } } @unlink($dir.'/'.$fileToCreate); @rmdir($dir); echo '

'.display_step_sequence().get_lang('Requirements')."

"; echo '
'; echo ''.get_lang('Please read the following requirements thoroughly.').'
'; echo get_lang('For more details').' '.get_lang('Read the installation guide').'.
'."\n"; if ($installType == 'update') { echo get_lang('If you plan to upgrade from an older version of Chamilo, you might want to have a look at the changelog to know what\'s new and what has been changed').'
'; } echo '
'; // SERVER REQUIREMENTS echo '

'.get_lang('Server requirements').'

'; $timezone = checkPhpSettingExists('date.timezone'); if (!$timezone) { echo "
 ". get_lang('We have detected that your PHP installation does not define the date.timezone setting. This is a requirement of Chamilo. Please make sure it is configured by checking your php.ini configuration, otherwise you will run into problems. We warned you!')."
"; } echo '
'.get_lang('Server requirementsInfo').'
'; echo '
'; echo '
'.get_lang('PHP version').' >= '.REQUIRED_PHP_VERSION.' '; if (version_compare(phpversion(), REQUIRED_PHP_VERSION, '>=') > 1) { echo ''.get_lang('PHP versionError').''; } else { echo ''.get_lang('PHP versionOK').' '.phpversion().''; } echo '
Session '.get_lang('Support').' '.checkExtension('session', get_lang('Yes'), get_lang('Sessions extension not available')).'
pdo_mysql '.get_lang('Support').' '.checkExtension('pdo_mysql', get_lang('Yes'), get_lang('MySQL extension not available')).'
Zip '.get_lang('Support').' '.checkExtension('zip', get_lang('Yes'), get_lang('Extension not available')).'
Zlib '.get_lang('Support').' '.checkExtension('zlib', get_lang('Yes'), get_lang('Zlib extension not available')).'
Perl-compatible regular expressions '.get_lang('Support').' '.checkExtension('pcre', get_lang('Yes'), get_lang('PCRE extension not available')).'
XML '.get_lang('Support').' '.checkExtension('xml', get_lang('Yes'), get_lang('No')).'
Internationalization '.get_lang('Support').' '.checkExtension('intl', get_lang('Yes'), get_lang('No')).'
JSON '.get_lang('Support').' '.checkExtension('json', get_lang('Yes'), get_lang('No')).'
GD '.get_lang('Support').' '.checkExtension('gd', get_lang('Yes'), get_lang('GD Extension not available')).'
cURL'.get_lang('Support').' '.checkExtension('curl', get_lang('Yes'), get_lang('No')).'
Multibyte string '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('mbstring', get_lang('Yes'), get_lang('MBString extension not available'), true).'
Zend OpCache '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('Zend OPcache', get_lang('Yes'), get_lang('No'), true, 'opcache.enable').'
APCu '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('apcu', get_lang('Yes'), get_lang('No'), true, 'apc.enabled').'
Iconv '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('iconv', get_lang('Yes'), get_lang('No'), true).'
LDAP '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('ldap', get_lang('Yes'), get_lang('LDAP Extension not available'), true).'
Xapian '.get_lang('Support').' ('.get_lang('Optional').') '.checkExtension('xapian', get_lang('Yes'), get_lang('No'), true).'
'; echo '
'; // RECOMMENDED SETTINGS // Note: these are the settings for Joomla, does this also apply for Chamilo? // Note: also add upload_max_filesize here so that large uploads are possible echo '

'.get_lang('(recommended) settings').'

'; echo '
'.get_lang('(recommended) settingsInfo').'
'; echo '
'; echo '
'.get_lang('Setting').' '.get_lang('(recommended)').' '.get_lang('Currently').'
Display Errors '.checkPhpSetting('display_errors', 'OFF').'
File Uploads '.checkPhpSetting('file_uploads', 'ON').'
Session auto start '.checkPhpSetting('session.auto_start', 'OFF').'
Short Open Tag '.checkPhpSetting('short_open_tag', 'OFF').'
Cookie HTTP Only '.checkPhpSetting('session.cookie_httponly', 'ON').'
Maximum upload file size '.compare_setting_values(ini_get('upload_max_filesize'), REQUIRED_MIN_UPLOAD_MAX_FILESIZE).'
Maximum post size '.compare_setting_values(ini_get('post_max_size'), REQUIRED_MIN_POST_MAX_SIZE).'
Memory Limit '.compare_setting_values($originalMemoryLimit, REQUIRED_MIN_MEMORY_LIMIT).'
'; echo '
'; // DIRECTORY AND FILE PERMISSIONS echo '

'.get_lang('Directory and files permissions').'

'; echo '
'.get_lang('Directory and files permissionsInfo').'
'; echo '
'; $_SESSION['permissions_for_new_directories'] = $_setting['permissions_for_new_directories'] = $dir_perm_verified; $_SESSION['permissions_for_new_files'] = $_setting['permissions_for_new_files'] = $fil_perm_verified; $dir_perm = Display::label('0'.decoct($dir_perm_verified), 'info'); $file_perm = Display::label('0'.decoct($fil_perm_verified), 'info'); $oldConf = ''; if (file_exists(api_get_path(SYS_CODE_PATH).'inc/conf/configuration.php')) { $oldConf = ' '.api_get_path(SYS_CODE_PATH).'inc/conf '.check_writable(api_get_path(SYS_CODE_PATH).'inc/conf').' '; } echo ' '.$oldConf.'
'.api_get_path(SYS_APP_PATH).' '.check_writable(api_get_path(SYS_APP_PATH)).'
'.api_get_path(SYS_PATH).'config '.check_writable(api_get_path(SYS_PATH).'config').'
'.api_get_path(SYS_PATH).'vendor/ '.checkReadable(api_get_path(SYS_PATH).'vendor').'
'.api_get_path(SYS_PUBLIC_PATH).' '.check_writable(api_get_path(SYS_PUBLIC_PATH)).'
'.get_lang('Permissions for new directories').' '.$dir_perm.'
'.get_lang('Permissions for new files').' '.$file_perm.'
'; echo '
'; if ($installType === 'update' && (empty($updatePath) || $badUpdatePath)) { if ($badUpdatePath) { ?>
!
Chamilo .
'; } ?>

:

The user would have to adjust the permissions manually if (count($notWritable) > 0) { $error = true; ?>

', ''); ?>

'; foreach ($notWritable as $value) { echo '
  • '.$value.'
  • '; } echo ''; } elseif (file_exists(api_get_path(CONFIGURATION_PATH).'configuration.php')) { // Check wether a Chamilo configuration file already exists. echo '

    '; echo get_lang('Warning !ExistingLMSInstallationDetected'); echo '

    '; } $deprecated = [ api_get_path(SYS_CODE_PATH).'exercice/', api_get_path(SYS_CODE_PATH).'newscorm/', api_get_path(SYS_PLUGIN_PATH).'ticket/', api_get_path(SYS_PLUGIN_PATH).'skype/', ]; $deprecatedToRemove = []; foreach ($deprecated as $deprecatedDirectory) { if (!is_dir($deprecatedDirectory)) { continue; } $deprecatedToRemove[] = $deprecatedDirectory; } if (count($deprecatedToRemove) > 0) { ?>

    '.display_step_sequence().get_lang('Licence').'

    '; echo '

    '.get_lang('Chamilo is free software distributed under the GNU General Public licence (GPL).').'

    '; echo '

    '.get_lang('Printable version').'

    '; echo ''; ?>
                
            

    the CC website, where a link to the full text of the license is provided at the bottom of the page.'); ?>


    '.get_countries_list_from_array(true).'
     
     
    *'.get_lang('Mandatory field').'
    '; return $html; } /** * Displays a parameter in a table row. * Used by the display_database_settings_form function. * * @param string Type of install * @param string Name of parameter * @param string Field name (in the HTML form) * @param string Field value * @param string Extra notice (to show on the right side) * @param bool Whether to display in update mode * @param string Additional attribute for the element */ function displayDatabaseParameter( $installType, $parameterName, $formFieldName, $parameterValue, $extra_notice, $displayWhenUpdate = true, $tr_attribute = '' ) { //echo ""; echo ""; if ($installType == INSTALL_TYPE_UPDATE && $displayWhenUpdate) { echo ''.$parameterValue; } else { $inputType = $formFieldName == 'dbPassForm' ? 'password' : 'text'; //Slightly limit the length of the database prefix to avoid having to cut down the databases names later on $maxLength = $formFieldName == 'dbPrefixForm' ? '15' : MAX_FORM_FIELD_LENGTH; if ($installType == INSTALL_TYPE_UPDATE) { echo ''; echo api_htmlentities($parameterValue); } else { echo '
    '."
    "; echo '
    '.$extra_notice.'
    '; } } } /** * Displays step 3 - a form where the user can enter the installation settings * regarding the databases - login and password, names, prefixes, single * or multiple databases, tracking or not... * * @param string $installType * @param string $dbHostForm * @param string $dbUsernameForm * @param string $dbPassForm * @param string $dbNameForm * @param int $dbPortForm * @param string $installationProfile */ function display_database_settings_form( $installType, $dbHostForm, $dbUsernameForm, $dbPassForm, $dbNameForm, $dbPortForm = 3306, $installationProfile = '' ) { if ($installType == 'update') { global $_configuration; $dbHostForm = $_configuration['db_host']; $dbUsernameForm = $_configuration['db_user']; $dbPassForm = $_configuration['db_password']; $dbNameForm = $_configuration['main_database']; $dbPortForm = isset($_configuration['db_port']) ? $_configuration['db_port'] : ''; echo '

    '.display_step_sequence().get_lang('Database settings').'

    '; echo '
    '; echo get_lang('The upgrade script will recover and update the Chamilo database(s). In order to do this, this script will use the databases and settings defined below. Because our software runs on a wide range of systems and because all of them might not have been tested, we strongly recommend you do a full backup of your databases before you proceed with the upgrade!'); echo '
    '; } else { echo '

    '.display_step_sequence().get_lang('Database settings').'

    '; echo '
    '; echo get_lang('The install script will create (or use) the Chamilo database using the database name given here. Please make sure the user you give has the right to create the database by the name given here. If a database with this name exists, it will be overwritten. Please do not use the root user as the Chamilo database user. This can lead to serious security issues.'); echo '
    '; } ?>
    getConnection(); $connection->connect(); $schemaManager = $connection->getSchemaManager(); // Test create/alter/drop table $table = 'zXxTESTxX_'.mt_rand(0, 1000); $sql = "CREATE TABLE $table (id INT AUTO_INCREMENT NOT NULL, name varchar(255), PRIMARY KEY(id))"; $connection->query($sql); $tableCreationWorks = false; $tableDropWorks = false; if ($schemaManager->tablesExist($table)) { $tableCreationWorks = true; $sql = "ALTER TABLE $table ADD COLUMN name2 varchar(140) "; $connection->query($sql); $schemaManager->dropTable($table); $tableDropWorks = $schemaManager->tablesExist($table) === false; } } else { $manager = connectToDatabase( $dbHostForm, $dbUsernameForm, $dbPassForm, null, $dbPortForm ); $schemaManager = $manager->getConnection()->getSchemaManager(); $databases = $schemaManager->listDatabases(); if (in_array($dbNameForm, $databases)) { $database_exists_text = '
    '.get_lang('A database with the same name already exists.').'
    '; } } } catch (Exception $e) { $database_exists_text = $e->getMessage(); $manager = false; } if ($manager && $manager->getConnection()->isConnected()): ?>
    Database host: getConnection()->getHost(); ?>
    Database port: getConnection()->getPort(); ?>
    Database driver: getConnection()->getDriver()->getName(); ?>
    Ok'; echo '
    '; echo get_lang('AlterTableWorks').' Ok'; echo '
    '; echo get_lang('DropColumnWorks').' Ok'; } ?>

    'panel-heading']); $panelBody = Display::div($content, ['class' => 'panel-body']); $panelParent = Display::div($panelTitle.$panelBody, ['id' => $id, 'class' => 'panel panel-'.$style]); } else { $panelBody = Display::div($html, ['class' => 'panel-body']); $panelParent = Display::div($panelBody, ['id' => $id, 'class' => 'panel panel-'.$style]); } $html .= $panelParent; return $html; } /** * Displays a parameter in a table row. * Used by the display_configuration_settings_form function. * * @param string $installType * @param string $parameterName * @param string $formFieldName * @param string $parameterValue * @param string $displayWhenUpdate * * @return string */ function display_configuration_parameter( $installType, $parameterName, $formFieldName, $parameterValue, $displayWhenUpdate = 'true' ) { $html = '
    '; $html .= ''; if ($installType == INSTALL_TYPE_UPDATE && $displayWhenUpdate) { $html .= ''.$parameterValue; } else { $html .= '
    '."
    "; } $html .= "
    "; return $html; } /** * Displays step 4 of the installation - configuration settings about Chamilo itself. * * @param string $installType * @param string $urlForm * @param string $languageForm * @param string $emailForm * @param string $adminFirstName * @param string $adminLastName * @param string $adminPhoneForm * @param string $campusForm * @param string $institutionForm * @param string $institutionUrlForm * @param string $encryptPassForm * @param bool $allowSelfReg * @param bool $allowSelfRegProf * @param string $loginForm * @param string $passForm */ function display_configuration_settings_form( $installType, $urlForm, $languageForm, $emailForm, $adminFirstName, $adminLastName, $adminPhoneForm, $campusForm, $institutionForm, $institutionUrlForm, $encryptPassForm, $allowSelfReg, $allowSelfRegProf, $loginForm, $passForm ) { if ($installType != 'update' && empty($languageForm)) { $languageForm = $_SESSION['install_language']; } echo '
    '; echo "

    ".display_step_sequence().get_lang("ConfigurationSettings")."

    "; echo '
    '; // Parameter 1: administrator's login $html = ''; $html .= display_configuration_parameter( $installType, get_lang('Administrator login'), 'loginForm', $loginForm, $installType == 'update' ); // Parameter 2: administrator's password if ($installType != 'update') { $html .= display_configuration_parameter($installType, get_lang('Administrator password (you may want to change this)'), 'passForm', $passForm, false); } // Parameters 3 and 4: administrator's names $html .= display_configuration_parameter( $installType, get_lang('Administrator first name'), 'adminFirstName', $adminFirstName ); $html .= display_configuration_parameter($installType, get_lang('Administrator last name'), 'adminLastName', $adminLastName); //Parameter 3: administrator's email $html .= display_configuration_parameter($installType, get_lang('Admine-mail'), 'emailForm', $emailForm); //Parameter 6: administrator's telephone $html .= display_configuration_parameter($installType, get_lang('Administrator telephone'), 'adminPhoneForm', $adminPhoneForm); echo panel($html, get_lang('Administrator'), 'administrator'); //First parameter: language $html = '
    '; $html .= '"; if ($installType == 'update') { $html .= ''.$languageForm; } else { // new installation $html .= '
    '; $html .= display_language_selection_box('languageForm', $languageForm); $html .= '
    '; } $html .= "
    "; //Second parameter: Chamilo URL $html .= '
    '; $html .= ''; if ($installType == 'update') { $html .= api_htmlentities($urlForm, ENT_QUOTES)."\n"; } else { $html .= '
    '; $html .= ''; $html .= '
    '; } $html .= '
    '; //Parameter 9: campus name $html .= display_configuration_parameter( $installType, get_lang('Your portal name'), 'campusForm', $campusForm ); //Parameter 10: institute (short) name $html .= display_configuration_parameter( $installType, get_lang('Your company short name'), 'institutionForm', $institutionForm ); //Parameter 11: institute (short) name $html .= display_configuration_parameter( $installType, get_lang('URL of this company'), 'institutionUrlForm', $institutionUrlForm ); $html .= '
    '; if ($installType == 'update') { $html .= ''.$encryptPassForm; } else { $html .= '
    '; $html .= ''; $html .= ''; $html .= ''; $html .= '
    '; } $html .= '
    '; $html .= '
    '; if ($installType == 'update') { if ($allowSelfReg == 'true') { $label = get_lang('Yes'); } elseif ($allowSelfReg == 'false') { $label = get_lang('No'); } else { $label = get_lang('After approval'); } $html .= ''.$label; } else { $html .= '
    '; $html .= ''; $html .= ''; $html .= ''; $html .= '
    '; } $html .= '
    '; $html .= '
    '; $html .= '
    '; $html .= '
    '; if ($installType == 'update') { if ($allowSelfRegProf == 'true') { $label = get_lang('Yes'); } else { $label = get_lang('No'); } $html .= ''.$label; } else { $html .= '
    '; $html .= ''; $html .= '
    '; } $html .= '
    '; echo panel($html, get_lang('Portal'), 'platform'); ?>
    get('translator'); $html = '
    '. $trans->trans( 'When you enter your portal for the first time, the best way to understand it is to create a course with the \'Create course\' link in the menu and play around a little.').'
    '; $html .= '
    '; $html .= ''.$trans->trans('Security advice').''; $html .= ': '; $html .= sprintf($trans->trans( 'To protect your site, make the whole %s directory read-only (chmod -R 0555 on Linux) and delete the %s directory.'), 'var/config/', 'main/install/'); $html .= '

    '.$trans->trans('Go to your newly created portal.').' '; return $html; } /** * This function return countries list from array (hardcoded). * * @param bool $combo (Optional) True for returning countries list with select html * * @return array|string countries list */ function get_countries_list_from_array($combo = false) { $a_countries = [ "Afghanistan", "Albania", "Algeria", "Andorra", "Angola", "Antigua and Barbuda", "Argentina", "Armenia", "Australia", "Austria", "Azerbaijan", "Bahamas", "Bahrain", "Bangladesh", "Barbados", "Belarus", "Belgium", "Belize", "Benin", "Bhutan", "Bolivia", "Bosnia and Herzegovina", "Botswana", "Brazil", "Brunei", "Bulgaria", "Burkina Faso", "Burundi", "Cambodia", "Cameroon", "Canada", "Cape Verde", "Central African Republic", "Chad", "Chile", "China", "Colombi", "Comoros", "Congo (Brazzaville)", "Congo", "Costa Rica", "Cote d'Ivoire", "Croatia", "Cuba", "Cyprus", "Czech Republic", "Denmark", "Djibouti", "Dominica", "Dominican Republic", "East Timor (Timor Timur)", "Ecuador", "Egypt", "El Salvador", "Equatorial Guinea", "Eritrea", "Estonia", "Ethiopia", "Fiji", "Finland", "France", "Gabon", "Gambia, The", "Georgia", "Germany", "Ghana", "Greece", "Grenada", "Guatemala", "Guinea", "Guinea-Bissau", "Guyana", "Haiti", "Honduras", "Hungary", "Iceland", "India", "Indonesia", "Iran", "Iraq", "Ireland", "Israel", "Italy", "Jamaica", "Japan", "Jordan", "Kazakhstan", "Kenya", "Kiribati", "Korea, North", "Korea, South", "Kuwait", "Kyrgyzstan", "Laos", "Latvia", "Lebanon", "Lesotho", "Liberia", "Libya", "Liechtenstein", "Lithuania", "Luxembourg", "Macedonia", "Madagascar", "Malawi", "Malaysia", "Maldives", "Mali", "Malta", "Marshall Islands", "Mauritania", "Mauritius", "Mexico", "Micronesia", "Moldova", "Monaco", "Mongolia", "Morocco", "Mozambique", "Myanmar", "Namibia", "Nauru", "Nepa", "Netherlands", "New Zealand", "Nicaragua", "Niger", "Nigeria", "Norway", "Oman", "Pakistan", "Palau", "Panama", "Papua New Guinea", "Paraguay", "Peru", "Philippines", "Poland", "Portugal", "Qatar", "Romania", "Russia", "Rwanda", "Saint Kitts and Nevis", "Saint Lucia", "Saint Vincent", "Samoa", "San Marino", "Sao Tome and Principe", "Saudi Arabia", "Senegal", "Serbia and Montenegro", "Seychelles", "Sierra Leone", "Singapore", "Slovakia", "Slovenia", "Solomon Islands", "Somalia", "South Africa", "Spain", "Sri Lanka", "Sudan", "Suriname", "Swaziland", "Sweden", "Switzerland", "Syria", "Taiwan", "Tajikistan", "Tanzania", "Thailand", "Togo", "Tonga", "Trinidad and Tobago", "Tunisia", "Turkey", "Turkmenistan", "Tuvalu", "Uganda", "Ukraine", "United Arab Emirates", "United Kingdom", "United States", "Uruguay", "Uzbekistan", "Vanuatu", "Vatican City", "Venezuela", "Vietnam", "Yemen", "Zambia", "Zimbabwe", ]; if ($combo) { $country_select = ''; return $country_select; } return $a_countries; } /** * Lock settings that can't be changed in other portals. */ function lockSettings() { $settings = api_get_locked_settings(); $table = Database::get_main_table(TABLE_MAIN_SETTINGS_CURRENT); foreach ($settings as $setting) { $sql = "UPDATE $table SET access_url_locked = 1 WHERE variable = '$setting'"; Database::query($sql); } } /** * Update dir values. */ function updateDirAndFilesPermissions() { $table = Database::get_main_table(TABLE_MAIN_SETTINGS_CURRENT); $permissions_for_new_directories = isset($_SESSION['permissions_for_new_directories']) ? $_SESSION['permissions_for_new_directories'] : 0770; $permissions_for_new_files = isset($_SESSION['permissions_for_new_files']) ? $_SESSION['permissions_for_new_files'] : 0660; // use decoct() to store as string Database::update( $table, ['selected_value' => '0'.decoct($permissions_for_new_directories)], ['variable = ?' => 'permissions_for_new_directories'] ); Database::update( $table, ['selected_value' => '0'.decoct($permissions_for_new_files)], ['variable = ?' => 'permissions_for_new_files'] ); if (isset($_SESSION['permissions_for_new_directories'])) { unset($_SESSION['permissions_for_new_directories']); } if (isset($_SESSION['permissions_for_new_files'])) { unset($_SESSION['permissions_for_new_files']); } } /** * @param $current_value * @param $wanted_value * * @return string */ function compare_setting_values($current_value, $wanted_value) { $current_value_string = $current_value; $current_value = (float) $current_value; $wanted_value = (float) $wanted_value; if ($current_value >= $wanted_value) { return Display::label($current_value_string, 'success'); } else { return Display::label($current_value_string, 'important'); } } /** * Save settings values. * * @param string $organizationName * @param string $organizationUrl * @param string $siteName * @param string $adminEmail * @param string $adminLastName * @param string $adminFirstName * @param string $language * @param string $allowRegistration * @param string $allowTeacherSelfRegistration * @param string $installationProfile The name of an installation profile file in main/install/profiles/ */ function installSettings( $organizationName, $organizationUrl, $siteName, $adminEmail, $adminLastName, $adminFirstName, $language, $allowRegistration, $allowTeacherSelfRegistration, $installationProfile = '' ) { $allowTeacherSelfRegistration = $allowTeacherSelfRegistration ? 'true' : 'false'; $settings = [ 'institution' => $organizationName, 'institution_url' => $organizationUrl, 'site_name' => $siteName, 'administrator_email' => $adminEmail, 'administrator_surname' => $adminLastName, 'administrator_name' => $adminFirstName, 'platform_language' => $language, 'allow_registration' => $allowRegistration, 'allow_registration_as_teacher' => $allowTeacherSelfRegistration, ]; foreach ($settings as $variable => $value) { $sql = "UPDATE settings_current SET selected_value = '$value' WHERE variable = '$variable'"; Database::query($sql); } installProfileSettings($installationProfile); } /** * Executes DB changes based in the classes defined in * src/CoreBundle/Migrations/Schema/*. * * @param string $chamiloVersion * @param EntityManager $manager * * @throws \Doctrine\DBAL\DBALException * * @return bool */ function migrate($chamiloVersion, EntityManager $manager) { $debug = true; $connection = $manager->getConnection(); $config = new \Doctrine\DBAL\Migrations\Configuration\Configuration($connection); // Table name that will store migrations log (will be created automatically, // default name is: doctrine_migration_versions) $config->setMigrationsTableName('version'); // Namespace of your migration classes, do not forget escape slashes, do not add last slash $config->setMigrationsNamespace('Chamilo\CoreBundle\Migrations\Schema\V'.$chamiloVersion); // Directory where your migrations are located $versionPath = api_get_path(SYS_PATH).'src/CoreBundle/Migrations/Schema/V'.$chamiloVersion; error_log("Reading files from dir: $versionPath"); $config->setMigrationsDirectory($versionPath); // Load your migrations $config->registerMigrationsFromDirectory($config->getMigrationsDirectory()); $migration = new \Doctrine\DBAL\Migrations\Migration($config); $versions = $config->getMigrations(); /** @var Doctrine\DBAL\Migrations\Version $migrationItem */ foreach ($versions as $version) { $version->getMigration()->setEntityManager($manager); } $to = null; // if $to == null then schema will be migrated to latest version echo '
    ';
        try {
            // Execute migration!
            $migratedSQL = $migration->migrate($to);
    
            if ($debug) {
                foreach ($migratedSQL as $version => $sqlList) {
                    echo "VERSION: $version
    "; echo '----------------------------------------------
    '; $total = count($sqlList); error_log("VERSION: $version"); error_log("# queries: $total"); $counter = 1; foreach ($sqlList as $sql) { echo "$sql
    "; error_log("$counter/$total : $sql"); $counter++; } } echo "
    DONE!
    "; } return true; } catch (Exception $ex) { if ($debug) { echo "ERROR: {$ex->getMessage()}
    "; return false; } } echo '
    '; return false; } /** * @param EntityManager $em * * @throws \Doctrine\DBAL\DBALException */ function fixIds(EntityManager $em) { $connection = $em->getConnection(); $database = new Database(); $database->setManager($em); $debug = true; if ($debug) { error_log('fixIds'); } // Create temporary indexes to increase speed of the following operations // Adding and removing indexes will usually take much less time than // the execution without indexes of the queries in this function, particularly // for large tables $sql = "ALTER TABLE c_document ADD INDEX tmpidx_doc(c_id, id)"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_student_publication ADD INDEX tmpidx_stud (c_id, id)"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_quiz ADD INDEX tmpidx_quiz (c_id, id)"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_item_property ADD INDEX tmpidx_ip (to_group_id)"; $connection->executeQuery($sql); $sql = "SELECT * FROM c_lp_item"; $result = $connection->fetchAll($sql); foreach ($result as $item) { $courseId = $item['c_id']; $iid = isset($item['iid']) ? intval($item['iid']) : 0; $ref = isset($item['ref']) ? intval($item['ref']) : 0; $sql = null; $newId = ''; switch ($item['item_type']) { case TOOL_LINK: $sql = "SELECT * FROM c_link WHERE c_id = $courseId AND id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; case TOOL_STUDENTPUBLICATION: $sql = "SELECT * FROM c_student_publication WHERE c_id = $courseId AND id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; case TOOL_QUIZ: $sql = "SELECT * FROM c_quiz WHERE c_id = $courseId AND id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; case TOOL_DOCUMENT: $sql = "SELECT * FROM c_document WHERE c_id = $courseId AND id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; case TOOL_FORUM: $sql = "SELECT * FROM c_forum_forum WHERE c_id = $courseId AND forum_id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; case 'thread': $sql = "SELECT * FROM c_forum_thread WHERE c_id = $courseId AND thread_id = $ref"; $data = $connection->fetchAssoc($sql); if ($data) { $newId = $data['iid']; } break; } if (!empty($sql) && !empty($newId) && !empty($iid)) { $sql = "UPDATE c_lp_item SET ref = $newId WHERE iid = $iid"; $connection->executeQuery($sql); } } // Set NULL if session = 0 $sql = "UPDATE c_item_property SET session_id = NULL WHERE session_id = 0"; $connection->executeQuery($sql); // Set NULL if group = 0 $sql = "UPDATE c_item_property SET to_group_id = NULL WHERE to_group_id = 0"; $connection->executeQuery($sql); // Set NULL if insert_user_id = 0 $sql = "UPDATE c_item_property SET insert_user_id = NULL WHERE insert_user_id = 0"; $connection->executeQuery($sql); // Delete session data of sessions that don't exist. $sql = "DELETE FROM c_item_property WHERE session_id IS NOT NULL AND session_id NOT IN (SELECT id FROM session)"; $connection->executeQuery($sql); // Delete group data of groups that don't exist. $sql = "DELETE FROM c_item_property WHERE to_group_id <> 0 AND to_group_id IS NOT NULL AND to_group_id NOT IN (SELECT DISTINCT iid FROM c_group_info)"; $connection->executeQuery($sql); // This updates the group_id with c_group_info.iid instead of c_group_info.id if ($debug) { error_log('update iids'); } $groupTableToFix = [ 'c_group_rel_user', 'c_group_rel_tutor', 'c_permission_group', 'c_role_group', 'c_survey_invitation', 'c_attendance_calendar_rel_group', ]; foreach ($groupTableToFix as $table) { $sql = "SELECT * FROM $table"; $result = $connection->fetchAll($sql); foreach ($result as $item) { $iid = $item['iid']; $courseId = $item['c_id']; $groupId = intval($item['group_id']); // Fix group id if (!empty($groupId)) { $sql = "SELECT * FROM c_group_info WHERE c_id = $courseId AND id = $groupId LIMIT 1"; $data = $connection->fetchAssoc($sql); if (!empty($data)) { $newGroupId = $data['iid']; $sql = "UPDATE $table SET group_id = $newGroupId WHERE iid = $iid"; $connection->executeQuery($sql); } else { // The group does not exists clean this record $sql = "DELETE FROM $table WHERE iid = $iid"; $connection->executeQuery($sql); } } } } // Fix c_item_property if ($debug) { error_log('update c_item_property'); } $sql = "SELECT * FROM course"; $courseList = $connection->fetchAll($sql); if ($debug) { error_log('Getting course list'); } $totalCourse = count($courseList); $counter = 0; foreach ($courseList as $courseData) { $courseId = $courseData['id']; if ($debug) { error_log('Updating course: '.$courseData['code']); } $sql = "SELECT * FROM c_item_property WHERE c_id = $courseId"; $result = $connection->fetchAll($sql); foreach ($result as $item) { $sessionId = intval($item['session_id']); $groupId = intval($item['to_group_id']); $iid = $item['iid']; $ref = $item['ref']; // Fix group id // Commented group id is already fixed in Version20150603181728.php /*if (!empty($groupId)) { $sql = "SELECT * FROM c_group_info WHERE c_id = $courseId AND id = $groupId"; $data = $connection->fetchAssoc($sql); if (!empty($data)) { $newGroupId = $data['iid']; $sql = "UPDATE c_item_property SET to_group_id = $newGroupId WHERE iid = $iid"; $connection->executeQuery($sql); } else { // The group does not exists clean this record $sql = "DELETE FROM c_item_property WHERE iid = $iid"; $connection->executeQuery($sql); } }*/ $sql = ''; $newId = ''; switch ($item['tool']) { case TOOL_LINK: $sql = "SELECT * FROM c_link WHERE c_id = $courseId AND id = $ref "; break; case TOOL_STUDENTPUBLICATION: $sql = "SELECT * FROM c_student_publication WHERE c_id = $courseId AND id = $ref"; break; case TOOL_QUIZ: $sql = "SELECT * FROM c_quiz WHERE c_id = $courseId AND id = $ref"; break; case TOOL_DOCUMENT: $sql = "SELECT * FROM c_document WHERE c_id = $courseId AND id = $ref"; break; case TOOL_FORUM: $sql = "SELECT * FROM c_forum_forum WHERE c_id = $courseId AND id = $ref"; break; case 'thread': $sql = "SELECT * FROM c_forum_thread WHERE c_id = $courseId AND id = $ref"; break; } if (!empty($sql) && !empty($newId)) { $data = $connection->fetchAssoc($sql); if (isset($data['iid'])) { $newId = $data['iid']; } $sql = "UPDATE c_item_property SET ref = $newId WHERE iid = $iid"; error_log($sql); $connection->executeQuery($sql); } } if ($debug) { // Print a status in the log once in a while error_log("Course process #$counter/$totalCourse"); } $counter++; } if ($debug) { error_log('update gradebook_link'); } // Fix gradebook_link $sql = "SELECT * FROM gradebook_link"; $result = $connection->fetchAll($sql); foreach ($result as $item) { $courseCode = $item['course_code']; $categoryId = (int) $item['category_id']; $sql = "SELECT * FROM course WHERE code = '$courseCode'"; $courseInfo = $connection->fetchAssoc($sql); if (empty($courseInfo)) { continue; } $courseId = $courseInfo['id']; $ref = $item['ref_id']; $iid = $item['id']; $sql = ''; switch ($item['type']) { case LINK_LEARNPATH: $sql = "SELECT * FROM c_link WHERE c_id = $courseId AND id = $ref "; break; case LINK_STUDENTPUBLICATION: $sql = "SELECT * FROM c_student_publication WHERE c_id = $courseId AND id = $ref"; break; case LINK_EXERCISE: $sql = "SELECT * FROM c_quiz WHERE c_id = $courseId AND id = $ref"; break; case LINK_ATTENDANCE: //$sql = "SELECT * FROM c_document WHERE c_id = $courseId AND id = $ref"; break; case LINK_FORUM_THREAD: $sql = "SELECT * FROM c_forum_thread WHERE c_id = $courseId AND thread_id = $ref"; break; } if (!empty($sql)) { $data = $connection->fetchAssoc($sql); if (isset($data) && isset($data['iid'])) { $newId = $data['iid']; $sql = "UPDATE gradebook_link SET ref_id = $newId WHERE id = $iid AND course_code = '$courseCode' AND category_id = $categoryId "; $connection->executeQuery($sql); } } } if ($debug) { error_log('update groups'); } $sql = 'SELECT * FROM groups'; $result = $connection->executeQuery($sql); $groups = $result->fetchAll(); $oldGroups = []; if (!empty($groups)) { foreach ($groups as $group) { if (empty($group['name'])) { continue; } $params = [ 'name' => $group['name'], 'description' => $group['description'], 'group_type' => 1, 'picture' => $group['picture_uri'], 'url' => $group['url'], 'visibility' => $group['visibility'], 'updated_at' => $group['updated_on'], 'created_at' => $group['created_on'], ]; $connection->insert('usergroup', $params); $id = $connection->lastInsertId('id'); $oldGroups[$group['id']] = $id; } } if (!empty($oldGroups)) { error_log('Moving group files'); foreach ($oldGroups as $oldId => $newId) { $path = get_group_picture_path_by_id( $oldId, 'system' ); if (!empty($path)) { $newPath = str_replace( "groups/$oldId/", "groups/$newId/", $path['dir'] ); $command = "mv {$path['dir']} $newPath "; error_log("Executing $command"); system($command); } } $sql = "SELECT * FROM group_rel_user"; $result = $connection->executeQuery($sql); $dataList = $result->fetchAll(); if (!empty($dataList)) { foreach ($dataList as $data) { if (isset($oldGroups[$data['group_id']])) { $data['group_id'] = $oldGroups[$data['group_id']]; $userId = $data['user_id']; $sql = "SELECT id FROM user WHERE user_id = $userId"; $userResult = $connection->executeQuery($sql); $userInfo = $userResult->fetch(); if (empty($userInfo)) { continue; } $sql = "INSERT INTO usergroup_rel_user (usergroup_id, user_id, relation_type) VALUES ('{$data['group_id']}', '{$userId}', '{$data['relation_type']}')"; $connection->executeQuery($sql); } } } $sql = "SELECT * FROM group_rel_group"; $result = $connection->executeQuery($sql); $dataList = $result->fetchAll(); if (!empty($dataList)) { foreach ($dataList as $data) { if (isset($oldGroups[$data['group_id']]) && isset($oldGroups[$data['subgroup_id']])) { $data['group_id'] = $oldGroups[$data['group_id']]; $data['subgroup_id'] = $oldGroups[$data['subgroup_id']]; $sql = "INSERT INTO usergroup_rel_usergroup (group_id, subgroup_id, relation_type) VALUES ('{$data['group_id']}', '{$data['subgroup_id']}', '{$data['relation_type']}')"; $connection->executeQuery($sql); } } } $sql = "SELECT * FROM announcement_rel_group"; $result = $connection->executeQuery($sql); $dataList = $result->fetchAll(); if (!empty($dataList)) { foreach ($dataList as $data) { if (isset($oldGroups[$data['group_id']])) { // Deleting relation $sql = "DELETE FROM announcement_rel_group WHERE group_id = {$data['group_id']}"; $connection->executeQuery($sql); // Add new relation $data['group_id'] = $oldGroups[$data['group_id']]; $sql = "INSERT INTO announcement_rel_group(group_id, announcement_id) VALUES ('{$data['group_id']}', '{$data['announcement_id']}')"; $connection->executeQuery($sql); } } } $sql = "SELECT * FROM group_rel_tag"; $result = $connection->executeQuery($sql); $dataList = $result->fetchAll(); if (!empty($dataList)) { foreach ($dataList as $data) { if (isset($oldGroups[$data['group_id']])) { $data['group_id'] = $oldGroups[$data['group_id']]; $sql = "INSERT INTO usergroup_rel_tag (tag_id, usergroup_id) VALUES ('{$data['tag_id']}', '{$data['group_id']}')"; $connection->executeQuery($sql); } } } } if ($debug) { error_log('update extra fields'); } // Extra fields $extraFieldTables = [ ExtraField::USER_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_USER_FIELD), ExtraField::COURSE_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_COURSE_FIELD), //ExtraField::LP_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_LP_FIELD), ExtraField::SESSION_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_SESSION_FIELD), //ExtraField::CALENDAR_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_CALENDAR_EVENT_FIELD), //ExtraField::QUESTION_FIELD_TYPE => Database::get_main_table(TABLE_MAIN_CALENDAR_EVENT_FIELD), //ExtraField::USER_FIELD_TYPE => //Database::get_main_table(TABLE_MAIN_SPECIFIC_FIELD), ]; foreach ($extraFieldTables as $type => $table) { $sql = "SELECT * FROM $table "; if ($debug) { error_log($sql); } $result = $connection->query($sql); $fields = $result->fetchAll(); foreach ($fields as $field) { if ($debug) { error_log("Loading field: ".$field['field_variable']); } $originalId = $field['id']; $params = [ 'extra_field_type' => $type, 'variable' => $field['field_variable'], 'field_type' => $field['field_type'], 'display_text' => $field['field_display_text'], 'default_value' => $field['field_default_value'], 'field_order' => $field['field_order'], 'visible' => $field['field_visible'], 'changeable' => $field['field_changeable'], 'filter' => $field['field_filter'], ]; $connection->insert('extra_field', $params); $newExtraFieldId = $connection->lastInsertId(); $values = []; $handlerId = null; switch ($type) { case ExtraField::USER_FIELD_TYPE: $optionTable = Database::get_main_table( TABLE_MAIN_USER_FIELD_OPTIONS ); $valueTable = Database::get_main_table( TABLE_MAIN_USER_FIELD_VALUES ); $handlerId = 'user_id'; break; case ExtraField::COURSE_FIELD_TYPE: $optionTable = Database::get_main_table( TABLE_MAIN_COURSE_FIELD_OPTIONS ); $valueTable = Database::get_main_table( TABLE_MAIN_COURSE_FIELD_VALUES ); $handlerId = 'c_id'; break; case ExtraField::SESSION_FIELD_TYPE: $optionTable = Database::get_main_table( TABLE_MAIN_SESSION_FIELD_OPTIONS ); $valueTable = Database::get_main_table( TABLE_MAIN_SESSION_FIELD_VALUES ); $handlerId = 'session_id'; break; } if (!empty($optionTable)) { $sql = "SELECT * FROM $optionTable WHERE field_id = $originalId "; $result = $connection->query($sql); $options = $result->fetchAll(); foreach ($options as $option) { $params = [ 'display_text' => $option['option_display_text'], 'field_id' => $newExtraFieldId, 'option_order' => $option['option_order'], 'option_value' => $option['option_value'], ]; $connection->insert('extra_field_options', $params); } $sql = "SELECT * FROM $valueTable WHERE field_id = $originalId "; $result = $connection->query($sql); $values = $result->fetchAll(); if ($debug) { error_log("Fetch all values for field"); } } if (!empty($values)) { if ($debug) { error_log("Saving field value in new table"); } $k = 0; foreach ($values as $value) { if (isset($value[$handlerId])) { // Insert without the use of the entity as it reduces // speed to 2 records per second (much too slow) $params = [ 'field_id' => $newExtraFieldId, 'value' => $value['field_value'], 'item_id' => $value[$handlerId], ]; $connection->insert('extra_field_values', $params); if ($debug && ($k % 10000 == 0)) { error_log("Saving field $k"); } $k++; } } } } } if ($debug) { error_log('Remove index'); } // Drop temporary indexes added to increase speed of this function's queries $sql = "ALTER TABLE c_document DROP INDEX tmpidx_doc"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_student_publication DROP INDEX tmpidx_stud"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_quiz DROP INDEX tmpidx_quiz"; $connection->executeQuery($sql); $sql = "ALTER TABLE c_item_property DROP INDEX tmpidx_ip"; $connection->executeQuery($sql); if ($debug) { error_log('Finish fixId function'); } fixLpId($connection, true); } /** * @param \Doctrine\DBAL\Connection $connection * @param $debug * * @throws \Doctrine\DBAL\DBALException */ function fixLpId($connection, $debug) { if ($debug) { error_log('Fix lp.id lp.iids'); } $sql = 'SELECT id, title, code FROM course'; $result = $connection->query($sql); $courses = $result->fetchAll(); $sql = 'SELECT id FROM session'; $result = $connection->query($sql); $sessions = $result->fetchAll(); $tblCLp = Database::get_course_table(TABLE_LP_MAIN); $tblCLpItem = Database::get_course_table(TABLE_LP_ITEM); $toolTable = Database::get_course_table(TABLE_TOOL_LIST); if (!empty($sessions)) { $sessions = array_column($sessions, 'id'); $sessions[] = 0; } else { $sessions = [0]; } foreach ($courses as $course) { $courseId = $course['id']; $sql = "SELECT * FROM $tblCLp WHERE c_id = $courseId AND iid <> id ORDER by iid"; $result = $connection->query($sql); if ($debug) { error_log('-------------'); error_log("Entering Lps in course #$courseId"); error_log($sql); } $lpList = $result->fetchAll(); $myOnlyLpList = []; if (!empty($lpList)) { foreach ($lpList as $lpInfo) { $oldId = $lpInfo['id']; $sql = "SELECT * FROM $tblCLpItem WHERE c_id = $courseId AND lp_id = $oldId ORDER by iid"; $result = $connection->query($sql); $items = $result->fetchAll(); $lpInfo['lp_list'] = $items; $myOnlyLpList[] = $lpInfo; } } if (!empty($myOnlyLpList)) { foreach ($myOnlyLpList as $lpInfo) { $lpIid = $lpInfo['iid']; $oldId = $lpInfo['id']; $items = $lpInfo['lp_list']; if (empty($items)) { continue; } $itemList = []; foreach ($items as $subItem) { $itemList[$subItem['id']] = $subItem['iid']; } $variablesToFix = [ 'parent_item_id', 'next_item_id', 'prerequisite', 'previous_item_id', ]; foreach ($sessions as $sessionId) { $correctLink = "lp/lp_controller.php?action=view&lp_id=$lpIid&id_session=$sessionId"; $link = "newscorm/lp_controller.php?action=view&lp_id=$oldId&id_session=$sessionId"; $secondLink = "lp/lp_controller.php?action=view&lp_id=$oldId&id_session=$sessionId"; $sql = "UPDATE $toolTable SET link = '$correctLink' WHERE c_id = $courseId AND (link = '$link' OR link ='$secondLink')"; $connection->query($sql); } foreach ($items as $item) { $itemIid = $item['iid']; $itemId = $item['id']; foreach ($variablesToFix as $variable) { if (!empty($item[$variable]) && isset($itemList[$item[$variable]])) { $newId = $itemList[$item[$variable]]; $sql = "UPDATE $tblCLpItem SET $variable = $newId WHERE iid = $itemIid AND c_id = $courseId AND lp_id = $oldId"; $connection->query($sql); } } if ($item['item_type'] == 'document' && !empty($item['path'])) { $oldDocumentId = $item['path']; $sql = "SELECT * FROM c_document WHERE c_id = $courseId AND id = $oldDocumentId"; $result = $connection->query($sql); $document = $result->fetch(); if (!empty($document)) { $newDocumentId = $document['iid']; if (!empty($newDocumentId)) { $sql = "UPDATE $tblCLpItem SET path = $newDocumentId WHERE iid = $itemIid AND c_id = $courseId"; $connection->query($sql); if ($debug) { //error_log("Fix document: "); //error_log($sql); } } } } // c_lp_view $sql = "UPDATE c_lp_view SET last_item = $itemIid WHERE c_id = $courseId AND last_item = $itemId AND lp_id = $oldId"; $connection->query($sql); // c_lp_item_view $sql = "UPDATE c_lp_item_view SET lp_item_id = $itemIid WHERE c_id = $courseId AND lp_item_id = $itemId"; $connection->query($sql); // Update track_exercises $sql = "UPDATE track_e_exercises SET orig_lp_item_id = $itemIid WHERE c_id = $courseId AND orig_lp_id = $oldId AND orig_lp_item_id = $itemId"; $connection->query($sql); // c_forum_thread $sql = "UPDATE c_forum_thread SET lp_item_id = $itemIid WHERE c_id = $courseId AND lp_item_id = $itemId"; $connection->query($sql); // orig_lp_item_view_id $sql = "SELECT * FROM c_lp_view WHERE c_id = $courseId AND lp_id = $oldId"; $result = $connection->query($sql); $itemViewList = $result->fetchAll(); if ($itemViewList) { foreach ($itemViewList as $itemView) { $userId = $itemView['user_id']; $oldItemViewId = $itemView['id']; $newItemView = $itemView['iid']; if (empty($oldItemViewId)) { continue; } $sql = "UPDATE track_e_exercises SET orig_lp_item_view_id = $newItemView WHERE c_id = $courseId AND orig_lp_id = $oldId AND orig_lp_item_id = $itemIid AND orig_lp_item_view_id = $oldItemViewId AND exe_user_id = $userId "; $connection->query($sql); /*$sql = "UPDATE c_lp_item_view SET lp_view_id = $newItemView WHERE lp_view_id = $oldItemViewId AND c_id = $courseId "; $connection->query($sql);*/ } } $sql = "UPDATE $tblCLpItem SET lp_id = $lpIid WHERE c_id = $courseId AND lp_id = $oldId AND id = $itemId"; $connection->query($sql); $sql = "UPDATE $tblCLpItem SET id = iid WHERE c_id = $courseId AND lp_id = $oldId AND id = $itemId"; $connection->query($sql); } $sql = "UPDATE c_lp_view SET lp_id = $lpIid WHERE c_id = $courseId AND lp_id = $oldId"; $connection->query($sql); $sql = "UPDATE c_forum_forum SET lp_id = $lpIid WHERE c_id = $courseId AND lp_id = $oldId"; $connection->query($sql); // Update track_exercises. $sql = "UPDATE track_e_exercises SET orig_lp_id = $lpIid WHERE c_id = $courseId AND orig_lp_id = $oldId"; $connection->query($sql); $sql = "UPDATE $tblCLp SET id = iid WHERE c_id = $courseId AND id = $oldId "; $connection->query($sql); } } } if ($debug) { error_log('END Fix lp.id lp.iids'); } } /** * @param string $distFile * @param string $envFile * @param array $params */ function updateEnvFile($distFile, $envFile, $params) { $requirements = [ 'DATABASE_HOST', 'DATABASE_PORT', 'DATABASE_NAME', 'DATABASE_USER', 'DATABASE_PASSWORD', 'APP_INSTALLED', 'APP_ENCRYPT_METHOD', 'APP_URL_APPEND', ]; foreach ($requirements as $requirement) { if (!isset($params['{{'.$requirement.'}}'])) { throw new \Exception("The parameter $requirement is needed in order to edit the .env.local file"); } } $contents = file_get_contents($distFile); $contents = str_replace(array_keys($params), array_values($params), $contents); file_put_contents($envFile, $contents); } /** * @param SymfonyContainer $container * @param EntityManager $manager */ function installGroups($container, $manager) { // Creating fos_group (groups and roles) $groupManager = $container->get('fos_user.group_manager'); $groups = [ [ 'code' => 'ADMIN', 'title' => 'Administrators', 'roles' => ['ROLE_ADMIN'], ], [ 'code' => 'STUDENT', 'title' => 'Students', 'roles' => ['ROLE_STUDENT'], ], [ 'code' => 'TEACHER', 'title' => 'Teachers', 'roles' => ['ROLE_TEACHER'], ], [ 'code' => 'RRHH', 'title' => 'Human resources manager', 'roles' => ['ROLE_RRHH'], ], [ 'code' => 'SESSION_MANAGER', 'title' => 'Session', 'roles' => ['ROLE_SESSION_MANAGER'], ], [ 'code' => 'QUESTION_MANAGER', 'title' => 'Question manager', 'roles' => ['ROLE_QUESTION_MANAGER'], ], [ 'code' => 'STUDENT_BOSS', 'title' => 'Student boss', 'roles' => ['ROLE_STUDENT_BOSS'], ], [ 'code' => 'INVITEE', 'title' => 'Invitee', 'roles' => ['ROLE_INVITEE'], ], ]; foreach ($groups as $groupData) { $criteria = ['code' => $groupData['code']]; $groupExists = $groupManager->findGroupBy($criteria); if (!$groupExists) { $group = $groupManager->createGroup($groupData['title']); $group->setCode($groupData['code']); foreach ($groupData['roles'] as $role) { $group->addRole($role); } $manager->persist($group); $groupManager->updateGroup($group, true); } } } /** * @param SymfonyContainer $container */ function installPages($container) { error_log('installPages'); $siteManager = Container::getSiteManager(); // Create site /** @var Chamilo\PageBundle\Entity\Site $site */ $site = $siteManager->create(); $site->setHost('localhost'); $site->setEnabled(true); $site->setName('localhost'); $site->setEnabledFrom(new \DateTime('now')); $site->setEnabledTo(new \DateTime('+20 years')); $site->setRelativePath(''); $site->setIsDefault(true); $site->setLocale('en'); $siteManager->save($site); // Create home page /** @var PageManager $pageManager */ $pageManager = $container->get('sonata.page.manager.page'); /** @var \Sonata\PageBundle\Model\Page $page */ $page = $pageManager->create(); $page->setSlug('homepage'); $page->setUrl('/'); $page->setName('homepage'); $page->setTitle('home'); $page->setEnabled(true); $page->setDecorate(1); $page->setRequestMethod('GET|POST|HEAD|DELETE|PUT'); $page->setTemplateCode('default'); $page->setRouteName('homepage'); //$page->setParent($this->getReference('page-homepage')); $page->setSite($site); $pageManager->save($page); // Create welcome page $pageWelcome = $pageManager->create(); $pageWelcome->setSlug('welcome'); $pageWelcome->setUrl('/welcome'); $pageWelcome->setName('welcome'); $pageWelcome->setTitle('welcome'); $pageWelcome->setEnabled(true); $pageWelcome->setDecorate(1); $pageWelcome->setRequestMethod('GET'); $pageWelcome->setTemplateCode('default'); $pageWelcome->setRouteName('welcome'); $pageWelcome->setParent($page); $pageWelcome->setSite($site); $pageManager->save($pageWelcome); // Creating page blocks $templateManager = $container->get('sonata.page.template_manager'); $template = $templateManager->get('default'); $templateContainers = $template->getContainers(); $containers = []; foreach ($templateContainers as $id => $area) { $containers[$id] = [ 'area' => $area, 'block' => false, ]; } // Create blocks for this page $blockInteractor = $container->get('sonata.page.block_interactor'); $parentBlock = null; foreach ($containers as $id => $area) { if (false === $area['block'] && $templateContainers[$id]['shared'] === false) { $block = $blockInteractor->createNewContainer( [ 'page' => $pageWelcome, 'name' => $templateContainers[$id]['name'], 'code' => $id, ] ); if ($id === 'content' && $templateContainers[$id]['name'] == 'Main content') { $parentBlock = $block; } } } // Create block in main content $block = $container->get('sonata.page.manager.block'); /** @var \Sonata\BlockBundle\Model\Block $myBlock */ $myBlock = $block->create(); $myBlock->setType('sonata.formatter.block.formatter'); $myBlock->setSetting('format', 'richhtml'); $myBlock->setSetting('content', ''); $myBlock->setSetting('rawContent', ''); $myBlock->setSetting('template', '@SonataFormatter/Block/block_formatter.html.twig'); $myBlock->setParent($parentBlock); $pageWelcome->addBlocks($myBlock); $pageManager->save($pageWelcome); } /** * @param SymfonyContainer $container * @param EntityManager $manager * @param bool $upgrade */ function installSchemas($container, $manager, $upgrade = false) { error_log('installSchemas'); $settingsManager = Container::getSettingsManager(); // Install course tools (table "tool") $toolChain = $container->get('chamilo_core.tool_chain'); $toolChain->createTools($manager); $urlRepo = $container->get('Chamilo\CoreBundle\Repository\AccessUrlRepository'); $accessUrl = $urlRepo->find(1); if (!$accessUrl) { $em = $urlRepo->getEntityManager(); // Creating AccessUrl $accessUrl = new AccessUrl(); $accessUrl ->setUrl('http://localhost/') ->setDescription('') ->setActive(1) ; $em->persist($accessUrl); $em->flush(); } if ($upgrade) { $settingsManager->updateSchemas($accessUrl); } else { // Installing schemas (filling settings_current table) $settingsManager->installSchemas($accessUrl); } } /** * @param SymfonyContainer $container */ function upgradeWithContainer($container) { Container::setContainer($container); Container::setLegacyServices($container, false); error_log('setLegacyServices'); $manager = Database::getManager(); installGroups($container, $manager); error_log('installGroups'); // @todo check if adminId = 1 installSchemas($container, $manager, 1, true); installPages($container); fixMedia($container); } function fixMedia($container) { error_log('fix medias'); $pool = $container->get('sonata.media.pool'); $contextManager = $container->get('sonata.classification.manager.context'); $categoryManager = $container->get('sonata.media.manager.category'); foreach ($pool->getContexts() as $context => $contextAttrs) { /** @var ContextInterface $defaultContext */ $defaultContext = $contextManager->findOneBy([ 'id' => $context, ]); if (!$defaultContext) { $defaultContext = $contextManager->create(); $defaultContext->setId($context); $defaultContext->setName(ucfirst($context)); $defaultContext->setEnabled(true); $contextManager->save($defaultContext); } $defaultCategory = $categoryManager->getRootCategory($defaultContext); if (!$defaultCategory) { $defaultCategory = $categoryManager->create(); $defaultCategory->setContext($defaultContext); $defaultCategory->setName(ucfirst($context)); $defaultCategory->setEnabled(true); $defaultCategory->setPosition(0); $categoryManager->save($defaultCategory); } } } /** * After the schema was created (table creation), the function adds * admin/platform information. * * @param \Psr\Container\ContainerInterface $container * @param string $sysPath * @param string $encryptPassForm * @param string $passForm * @param string $adminLastName * @param string $adminFirstName * @param string $loginForm * @param string $emailForm * @param string $adminPhoneForm * @param string $languageForm * @param string $institutionForm * @param string $institutionUrlForm * @param string $siteName * @param string $allowSelfReg * @param string $allowSelfRegProf * @param string $installationProfile Installation profile, if any was provided */ function finishInstallationWithContainer( $container, $sysPath, $encryptPassForm, $passForm, $adminLastName, $adminFirstName, $loginForm, $emailForm, $adminPhoneForm, $languageForm, $institutionForm, $institutionUrlForm, $siteName, $allowSelfReg, $allowSelfRegProf, $installationProfile = '' ) { $sysPath = !empty($sysPath) ? $sysPath : api_get_path(SYS_PATH); Container::setContainer($container); Container::setLegacyServices($container, false); $manager = Database::getManager(); $connection = $manager->getConnection(); $sql = getVersionTable(); // Add version table $connection->executeQuery($sql); // Add tickets defaults $ticketProject = new TicketProject(); $ticketProject ->setId(1) ->setName('Ticket System') ->setInsertUserId(1); $manager->persist($ticketProject); $manager->flush(); $trans = $container->get('translator'); $categories = [ $trans->trans('Enrollment') => $trans->trans('Tickets about enrollment'), $trans->trans('General information') => $trans->trans('Tickets about general information'), $trans->trans('Requests and paperwork') => $trans->trans('Tickets about requests and paperwork'), $trans->trans('Academic Incidents') => $trans->trans('Tickets about academic incidents, like exams, practices, tasks, etc.'), $trans->trans('Virtual campus') => $trans->trans('Tickets about virtual campus'), $trans->trans('Online evaluation') => $trans->trans('Tickets about online evaluation'), ]; $i = 1; foreach ($categories as $category => $description) { // Online evaluation requires a course $ticketCategory = new TicketCategory(); $ticketCategory ->setId($i) ->setName($category) ->setDescription($description) ->setProject($ticketProject) ->setInsertUserId(1); $isRequired = $i == 6; $ticketCategory->setCourseRequired($isRequired); $manager->persist($ticketCategory); $manager->flush(); $i++; } // Default Priorities $defaultPriorities = [ TicketManager::PRIORITY_NORMAL => $trans->trans('Normal'), TicketManager::PRIORITY_HIGH => $trans->trans('High'), TicketManager::PRIORITY_LOW => $trans->trans('Low'), ]; $i = 1; foreach ($defaultPriorities as $code => $priority) { $ticketPriority = new TicketPriority(); $ticketPriority ->setId($i) ->setName($priority) ->setCode($code) ->setInsertUserId(1); $manager->persist($ticketPriority); $manager->flush(); $i++; } $table = Database::get_main_table(TABLE_TICKET_STATUS); // Default status $defaultStatus = [ TicketManager::STATUS_NEW => $trans->trans('New'), TicketManager::STATUS_PENDING => $trans->trans('Pending'), TicketManager::STATUS_UNCONFIRMED => $trans->trans('Unconfirmed'), TicketManager::STATUS_CLOSE => $trans->trans('Close'), TicketManager::STATUS_FORWARDED => $trans->trans('Forwarded'), ]; $i = 1; foreach ($defaultStatus as $code => $status) { $attributes = [ 'id' => $i, 'code' => $code, 'name' => $status, ]; Database::insert($table, $attributes); $i++; } installGroups($container, $manager); installSchemas($container, $manager, false); installPages($container); // Inserting default data $data = file_get_contents($sysPath.'main/install/data.sql'); $result = $manager->getConnection()->prepare($data); $result->execute(); $result->closeCursor(); UserManager::setPasswordEncryption($encryptPassForm); // Create admin user. $adminId = @UserManager::create_user( $adminFirstName, $adminLastName, 1, $emailForm, $loginForm, $passForm, 'ADMIN', //$official_code = '', $languageForm, $adminPhoneForm, '', //$picture_uri = '', PLATFORM_AUTH_SOURCE, '', //$expirationDate, 1, 0, null, '', false, //$send_mail = false, true, //$isAdmin = false '', false, '', 1 ); // Create anonymous user. @UserManager::create_user( 'Joe', 'Anonymous', 6, 'anonymous@localhost', 'anon', 'anon', 'anonymous', //$official_code = '', $languageForm, '', '', //$picture_uri = '', PLATFORM_AUTH_SOURCE, '', 1, 0, null, '', false, //$send_mail = false, false, //$isAdmin = false '', false, '', 1 ); // Set default language Database::update( Database::get_main_table(TABLE_MAIN_LANGUAGE), ['available' => 1], ['dokeos_folder = ?' => $languageForm] ); $userManager = Container::getUserManager(); $urlRepo = $container->get('Chamilo\CoreBundle\Repository\AccessUrlRepository'); $accessUrl = $urlRepo->find(1); $admin = $userManager->find($adminId); $urlRepo->addResourceNode($accessUrl, $admin); // Install settings installSettings( $institutionForm, $institutionUrlForm, $siteName, $emailForm, $adminLastName, $adminFirstName, $languageForm, $allowSelfReg, $allowSelfRegProf, $installationProfile ); lockSettings(); updateDirAndFilesPermissions(); fixMedia($container); // Set the latest version /*$path = $sysPath.'app/Migrations/Schema/V111/'; $finder = new \Symfony\Component\Finder\Finder(); $files = $finder->files()->in($path); // Needed for chash createVersionTable(); foreach ($files as $version) { $version = str_replace(['Version', '.php'], '', $version->getFilename()); $sql = "INSERT INTO version (version) VALUES ('$version')"; Database::query($sql); }*/ } /** * Creates 'version' table. */ function createVersionTable() { $sql = getVersionTable(); Database::query($sql); } /** * Get version creation table query. * * @return string */ function getVersionTable() { return 'CREATE TABLE IF NOT EXISTS version (id int unsigned NOT NULL AUTO_INCREMENT, version varchar(20), PRIMARY KEY(id), UNIQUE(version));'; } /** * Update settings based on installation profile defined in a JSON file. * * @param string $installationProfile The name of the JSON file in main/install/profiles/ folder * * @return bool false on failure (no bad consequences anyway, just ignoring profile) */ function installProfileSettings($installationProfile = '') { if (empty($installationProfile)) { return false; } $jsonPath = api_get_path(SYS_PATH).'main/install/profiles/'.$installationProfile.'.json'; // Make sure the path to the profile is not hacked if (!Security::check_abs_path($jsonPath, api_get_path(SYS_PATH).'main/install/profiles/')) { return false; } if (!is_file($jsonPath)) { return false; } if (!is_readable($jsonPath)) { return false; } if (!function_exists('json_decode')) { // The php-json extension is not available. Ignore profile. return false; } $json = file_get_contents($jsonPath); $params = json_decode($json); if ($params === false or $params === null) { return false; } $settings = $params->params; if (!empty($params->parent)) { installProfileSettings($params->parent); } $tblSettings = Database::get_main_table(TABLE_MAIN_SETTINGS_CURRENT); foreach ($settings as $id => $param) { $conditions = ['variable = ? ' => $param->variable]; if (!empty($param->subkey)) { $conditions['AND subkey = ? '] = $param->subkey; } Database::update( $tblSettings, ['selected_value' => $param->selected_value], $conditions ); } return true; } /** * Quick function to remove a directory with its subdirectories. * * @param $dir */ function rrmdir($dir) { if (is_dir($dir)) { $objects = scandir($dir); foreach ($objects as $object) { if ($object != "." && $object != "..") { if (filetype($dir."/".$object) == "dir") { @rrmdir($dir."/".$object); } else { @unlink($dir."/".$object); } } } reset($objects); rmdir($dir); } } /** * @param $id * @param string $type * @param bool $preview * @param bool $anonymous * * @throws \Doctrine\DBAL\DBALException * * @return array */ function get_group_picture_path_by_id($id, $type = 'web', $preview = false, $anonymous = false) { switch ($type) { case 'system': // Base: absolute system path. $base = api_get_path(SYS_UPLOAD_PATH); break; case 'web': // Base: absolute web path. default: $base = api_get_path(WEB_UPLOAD_PATH); break; } $noPicturePath = ['dir' => $base.'img/', 'file' => 'unknown.jpg']; if (empty($id) || empty($type)) { return $anonymous ? $noPicturePath : ['dir' => '', 'file' => '']; } $id = intval($id); //$group_table = Database::get_main_table(TABLE_MAIN_GROUP); $group_table = 'groups'; $sql = "SELECT picture_uri FROM $group_table WHERE id=".$id; $res = Database::query($sql); if (!Database::num_rows($res)) { return $anonymous ? $noPicturePath : ['dir' => '', 'file' => '']; } $user = Database::fetch_array($res); $picture_filename = trim($user['picture_uri']); if (api_get_setting('split_users_upload_directory') === 'true') { if (!empty($picture_filename)) { $dir = $base.'groups/'.substr($picture_filename, 0, 1).'/'.$id.'/'; } elseif ($preview) { $dir = $base.'groups/'.substr((string) $id, 0, 1).'/'.$id.'/'; } else { $dir = $base.'groups/'.$id.'/'; } } else { $dir = $base.'groups/'.$id.'/'; } if (empty($picture_filename) && $anonymous) { return $noPicturePath; } return ['dir' => $dir, 'file' => $picture_filename]; } /** * Control the different steps of the migration through a big switch. * * @param string $fromVersion * @param EntityManager $manager * @param bool $processFiles * * @throws \Doctrine\DBAL\DBALException * * @return bool Always returns true except if the process is broken */ function migrateSwitch($fromVersion, $manager, $processFiles = true) { error_log('Starting migration process from '.$fromVersion.' ('.date('Y-m-d H:i:s').')'); echo ''.get_lang('Details').'
    '; echo ''; return true; } /** * @param \Doctrine\DBAL\Connection $connection * * @throws \Doctrine\DBAL\DBALException */ function fixPostGroupIds($connection) { $connection->executeQuery("ALTER TABLE course_category MODIFY COLUMN auth_course_child VARCHAR(40) DEFAULT 'TRUE'"); error_log('Fix c_student_publication.post_group_id'); // Fix post_group_id $sql = "SELECT * FROM c_student_publication WHERE (post_group_id <> 0 AND post_group_id is not null)"; $statement = $connection->executeQuery($sql); $result = $statement->fetchAll(); foreach ($result as $row) { $groupId = $row['post_group_id']; $courseId = $row['c_id']; $workIid = $row['iid']; $sql = "SELECT iid from c_group_info WHERE c_id = $courseId AND id = $groupId"; $statement = $connection->executeQuery($sql); $count = $statement->rowCount(); if ($count > 0) { $rowGroup = $statement->fetch(); $newGroupId = $rowGroup['iid']; if ($newGroupId == $groupId) { continue; } if ($newGroupId) { $sql = "UPDATE c_student_publication SET post_group_id = $newGroupId WHERE c_id = $courseId AND iid = $workIid "; $connection->executeQuery($sql); } } } error_log('End - Fix c_student_publication.post_group_id'); // Delete c_student_publication from any session that doesn't exist anymore $sql = "DELETE FROM c_student_publication WHERE session_id NOT IN (SELECT id FROM session) AND (session_id <> 0 AND session_id is not null)"; $connection->executeQuery($sql); error_log('Fix work documents'); // Fix work documents that don't have c_item_property value $sql = "SELECT * FROM c_student_publication WHERE parent_id IS NOT NULL"; $statement = $connection->executeQuery($sql); $result = $statement->fetchAll(); foreach ($result as $row) { $groupId = $row['post_group_id']; $courseId = $row['c_id']; $sessionId = $row['session_id']; $workId = $row['id']; $sessionCondition = " session_id = $sessionId"; if (empty($sessionId)) { $sessionCondition = ' (session_id = 0 OR session_id IS NULL) '; } $sql = "SELECT * FROM c_item_property WHERE c_id = $courseId AND tool = 'work' AND ref = $workId AND $sessionCondition "; $itemInfo = $connection->fetchAssoc($sql); if (empty($itemInfo)) { $params = [ 'c_id' => $courseId, 'to_group_id' => $groupId, //'to_user_id' => null, 'insert_user_id' => 1, 'session_id' => $sessionId, 'tool' => 'work', 'insert_date' => api_get_utc_datetime(), 'lastedit_date' => api_get_utc_datetime(), 'ref' => $workId, 'lastedit_type' => 'visible', 'lastedit_user_id' => 1, 'visibility' => 1, ]; $connection->insert('c_item_property', $params); $id = $connection->lastInsertId(); $sql = "UPDATE c_item_property SET id = iid WHERE iid = $id"; $connection->executeQuery($sql); } } error_log('End - Fix work documents'); }