, Ghent University * @assert ('') === false */ public static function get_course_information($course_code) { return Database::fetch_array( Database::query( "SELECT *, id as real_id FROM ".Database::get_main_table(TABLE_MAIN_COURSE)." WHERE code='" . Database::escape_string($course_code)."'"), 'ASSOC' ); } /** * Returns a list of courses. Should work with quickform syntax * @param integer $from Offset (from the 7th = '6'). Optional. * @param integer $howmany Number of results we want. Optional. * @param int $orderby The column we want to order it by. Optional, defaults to first column. * @param string $orderdirection The direction of the order (ASC or DESC). Optional, defaults to ASC. * @param int $visibility The visibility of the course, or all by default. * @param string $startwith If defined, only return results for which the course *title* begins with this string * @param string $urlId The Access URL ID, if using multiple URLs * @param bool $alsoSearchCode An extension option to indicate that we also want to search for course codes (not *only* titles) * @param array $conditionsLike * @return array */ public static function get_courses_list( $from = 0, $howmany = 0, $orderby = 1, $orderdirection = 'ASC', $visibility = -1, $startwith = '', $urlId = null, $alsoSearchCode = false, $conditionsLike = array() ) { $sql = "SELECT course.* FROM ".Database::get_main_table(TABLE_MAIN_COURSE)." course "; if (!empty($urlId)) { $table = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE); $sql .= " INNER JOIN $table url ON (url.c_id = course.id) "; } if (!empty($startwith)) { $sql .= "WHERE (title LIKE '".Database::escape_string($startwith)."%' "; if ($alsoSearchCode) { $sql .= "OR code LIKE '".Database::escape_string($startwith)."%' "; } $sql .= ') '; if ($visibility !== -1 && $visibility == strval(intval($visibility))) { $sql .= " AND visibility = $visibility "; } } else { $sql .= "WHERE 1 "; if ($visibility !== -1 && $visibility == strval(intval($visibility))) { $sql .= " AND visibility = $visibility "; } } if (!empty($urlId)) { $urlId = intval($urlId); $sql .= " AND access_url_id= $urlId"; } $allowedFields = array( 'title', 'code' ); if (count($conditionsLike) > 0) { $sql .= ' AND '; $temp_conditions = array(); foreach ($conditionsLike as $field => $value) { if (!in_array($field, $allowedFields)) { continue; } $field = Database::escape_string($field); $value = Database::escape_string($value); $simple_like = false; if ($simple_like) { $temp_conditions[] = $field." LIKE '$value%'"; } else { $temp_conditions[] = $field.' LIKE \'%'.$value.'%\''; } } $condition = ' AND '; if (!empty($temp_conditions)) { $sql .= implode(' '.$condition.' ', $temp_conditions); } } if (!empty($orderby)) { $sql .= " ORDER BY ".Database::escape_string($orderby)." "; } else { $sql .= " ORDER BY 1 "; } if (!in_array($orderdirection, array('ASC', 'DESC'))) { $sql .= 'ASC'; } else { $sql .= ($orderdirection == 'ASC' ? 'ASC' : 'DESC'); } if (!empty($howmany) && is_int($howmany) and $howmany > 0) { $sql .= ' LIMIT '.Database::escape_string($howmany); } else { $sql .= ' LIMIT 1000000'; //virtually no limit } if (!empty($from)) { $from = intval($from); $sql .= ' OFFSET '.intval($from); } else { $sql .= ' OFFSET 0'; } $data = []; $res = Database::query($sql); if (Database::num_rows($res) > 0) { while ($row = Database::fetch_array($res, 'ASSOC')) { $data[] = $row; } } return $data; } /** * Returns the status of a user in a course, which is COURSEMANAGER or STUDENT. * @param int $userId * @param int $courseId * * @return int|bool the status of the user in that course (or false if the user is not in that course) */ public static function getUserInCourseStatus($userId, $courseId) { $courseId = (int) $courseId; if (empty($courseId)) { return false; } $result = Database::fetch_array( Database::query( "SELECT status FROM ".Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE c_id = $courseId AND user_id = ".intval($userId) ) ); return $result['status']; } /** * @param int $userId * @param int $courseId * * @return mixed */ public static function getUserCourseInfo($userId, $courseId) { $result = Database::fetch_array( Database::query(" SELECT * FROM " . Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE c_id = '" . intval($courseId)."' AND user_id = " . intval($userId) ) ); return $result; } /** * @param int $userId * @param int $courseId * @param bool $isTutor * * @return bool */ public static function updateUserCourseTutor($userId, $courseId, $isTutor) { $table = Database::escape_string(TABLE_MAIN_COURSE_USER); $courseId = intval($courseId); $isTutor = intval($isTutor); $sql = "UPDATE $table SET is_tutor = '".$isTutor."' WHERE user_id = '".$userId."' AND c_id = '".$courseId."'"; $result = Database::query($sql); if (Database::affected_rows($result) > 0) { return true; } else { return false; } } /** * @param int $user_id * @param int $courseId * * @return mixed */ public static function get_tutor_in_course_status($user_id, $courseId) { $result = Database::fetch_array( Database::query(" SELECT is_tutor FROM " . Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE c_id = '" . Database::escape_string($courseId)."' AND user_id = " . intval($user_id) ) ); return $result['is_tutor']; } /** * Unsubscribe one or more users from a course * * @param mixed user_id or an array with user ids * @param string course code * @param int session id * @assert ('', '') === false * */ public static function unsubscribe_user($user_id, $course_code, $session_id = 0) { if (!is_array($user_id)) { $user_id = array($user_id); } if (count($user_id) == 0) { return; } if (!empty($session_id)) { $session_id = intval($session_id); } else { $session_id = api_get_session_id(); } $user_list = array(); // Cleaning the $user_id variable if (is_array($user_id)) { $new_user_id_list = array(); foreach ($user_id as $my_user_id) { $new_user_id_list[] = intval($my_user_id); } $new_user_id_list = array_filter($new_user_id_list); $user_list = $new_user_id_list; $user_ids = implode(',', $new_user_id_list); } else { $user_ids = intval($user_id); $user_list[] = $user_id; } $course_info = api_get_course_info($course_code); $course_id = $course_info['real_id']; // Unsubscribe user from all groups in the course. $sql = "DELETE FROM ".Database::get_course_table(TABLE_GROUP_USER)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"; Database::query($sql); $sql = "DELETE FROM ".Database::get_course_table(TABLE_GROUP_TUTOR)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"; Database::query($sql); // Erase user student publications (works) in the course - by André Boivin if (!empty($user_list)) { require_once api_get_path(SYS_CODE_PATH).'work/work.lib.php'; foreach ($user_list as $userId) { // Getting all work from user $workList = getWorkPerUser($userId); if (!empty($workList)) { foreach ($workList as $work) { $work = $work['work']; // Getting user results if (!empty($work->user_results)) { foreach ($work->user_results as $workSent) { deleteWorkItem($workSent['id'], $course_info); } } } } } } // Unsubscribe user from all blogs in the course. Database::query("DELETE FROM ".Database::get_course_table(TABLE_BLOGS_REL_USER)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"); Database::query("DELETE FROM ".Database::get_course_table(TABLE_BLOGS_TASKS_REL_USER)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"); // Deleting users in forum_notification and mailqueue course tables $sql = "DELETE FROM ".Database::get_course_table(TABLE_FORUM_NOTIFICATION)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"; Database::query($sql); $sql = "DELETE FROM ".Database::get_course_table(TABLE_FORUM_MAIL_QUEUE)." WHERE c_id = $course_id AND user_id IN (".$user_ids.")"; Database::query($sql); // Unsubscribe user from the course. if (!empty($session_id)) { // Delete in table session_rel_course_rel_user $sql = "DELETE FROM ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." WHERE session_id ='" . $session_id."' AND c_id = '" . $course_id."' AND user_id IN ($user_ids)"; Database::query($sql); foreach ($user_list as $uid) { // check if a user is register in the session with other course $sql = "SELECT user_id FROM ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." WHERE session_id='$session_id' AND user_id='$uid'"; $rs = Database::query($sql); if (Database::num_rows($rs) == 0) { // Delete in table session_rel_user $sql = "DELETE FROM ".Database::get_main_table(TABLE_MAIN_SESSION_USER)." WHERE session_id ='" . $session_id."' AND user_id = '$uid' AND relation_type<>".SESSION_RELATION_TYPE_RRHH.""; Database::query($sql); } } // Update the table session $sql = "SELECT COUNT(*) FROM ".Database::get_main_table(TABLE_MAIN_SESSION_USER)." WHERE session_id = '" . $session_id."' AND relation_type <> ".SESSION_RELATION_TYPE_RRHH; $row = Database::fetch_array(Database::query($sql)); $count = $row[0]; // number of users by session $sql = "UPDATE ".Database::get_main_table(TABLE_MAIN_SESSION)." SET nbr_users = '$count' WHERE id = '".$session_id."'"; Database::query($sql); // Update the table session_rel_course $sql = "SELECT COUNT(*) FROM ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." WHERE session_id = '$session_id' AND c_id = '$course_id' AND status<>2"; $row = Database::fetch_array(@Database::query($sql)); $count = $row[0]; // number of users by session and course $sql = "UPDATE ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE)." SET nbr_users = '$count' WHERE session_id = '$session_id' AND c_id = '$course_id'"; Database::query($sql); Event::addEvent( LOG_UNSUBSCRIBE_USER_FROM_COURSE, LOG_COURSE_CODE, $course_code, api_get_utc_datetime(), $user_id, $course_id, $session_id ); } else { $sql = "DELETE FROM ".Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE user_id IN (" . $user_ids.") AND relation_type<>" . COURSE_RELATION_TYPE_RRHH." AND c_id = '" . $course_id."'"; Database::query($sql); // add event to system log $user_id = api_get_user_id(); Event::addEvent( LOG_UNSUBSCRIBE_USER_FROM_COURSE, LOG_COURSE_CODE, $course_code, api_get_utc_datetime(), $user_id, $course_id ); foreach ($user_list as $userId) { $userInfo = api_get_user_info($userId); Event::addEvent( LOG_UNSUBSCRIBE_USER_FROM_COURSE, LOG_USER_OBJECT, $userInfo, api_get_utc_datetime(), $user_id, $course_id ); } } } /** * Subscribe a user to a course. No checks are performed here to see if * course subscription is allowed. * @param int $user_id * @param string $course_code * @param int $status (STUDENT, COURSEMANAGER, COURSE_ADMIN, NORMAL_COURSE_MEMBER) * @param int $session_id * @param int $userCourseCategoryId * * @return bool True on success, false on failure * @see add_user_to_course * @assert ('', '') === false */ public static function subscribe_user( $user_id, $course_code, $status = STUDENT, $session_id = 0, $userCourseCategoryId = 0 ) { if ($user_id != strval(intval($user_id))) { return false; //detected possible SQL injection } $course_code = Database::escape_string($course_code); $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; $courseCode = $courseInfo['code']; $userCourseCategoryId = intval($userCourseCategoryId); if (empty($user_id) || empty($course_code)) { return false; } if (!empty($session_id)) { $session_id = intval($session_id); } else { $session_id = api_get_session_id(); } $status = ($status == STUDENT || $status == COURSEMANAGER) ? $status : STUDENT; // A preliminary check whether the user has bben already registered on the platform. $sql = "SELECT status FROM ".Database::get_main_table(TABLE_MAIN_USER)." WHERE user_id = '$user_id' "; if (Database::num_rows(Database::query($sql)) == 0) { return false; // The user has not been registered to the platform. } // Check whether the user has not been already subscribed to the course. $sql = "SELECT * FROM ".Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE user_id = '$user_id' AND relation_type <> ".COURSE_RELATION_TYPE_RRHH." AND c_id = $courseId "; if (empty($session_id)) { if (Database::num_rows(Database::query($sql)) > 0) { // The user has been already subscribed to the course. return false; } } if (!empty($session_id)) { SessionManager::subscribe_users_to_session_course(array($user_id), $session_id, $courseCode); // Add event to the system log Event::addEvent( LOG_SUBSCRIBE_USER_TO_COURSE, LOG_COURSE_CODE, $course_code, api_get_utc_datetime(), api_get_user_id(), $courseId, $session_id ); $user_info = api_get_user_info($user_id); Event::addEvent( LOG_SUBSCRIBE_USER_TO_COURSE, LOG_USER_OBJECT, $user_info, api_get_utc_datetime(), api_get_user_id(), $courseId, $session_id ); } else { self::add_user_to_course( $user_id, $courseCode, $status, $userCourseCategoryId ); // Add event to the system log Event::addEvent( LOG_SUBSCRIBE_USER_TO_COURSE, LOG_COURSE_CODE, $course_code, api_get_utc_datetime(), api_get_user_id(), $courseId ); $user_info = api_get_user_info($user_id); Event::addEvent( LOG_SUBSCRIBE_USER_TO_COURSE, LOG_USER_OBJECT, $user_info, api_get_utc_datetime(), api_get_user_id(), $courseId ); } return true; } /** * Get the course id based on the original id and field name in the * extra fields. Returns 0 if course was not found * * @param string $original_course_id_value * @param string $original_course_id_name * @return int Course id * * @assert ('', '') === false */ public static function get_course_code_from_original_id($original_course_id_value, $original_course_id_name) { $t_cfv = Database::get_main_table(TABLE_EXTRA_FIELD_VALUES); $table_field = Database::get_main_table(TABLE_EXTRA_FIELD); $extraFieldType = EntityExtraField::COURSE_FIELD_TYPE; $original_course_id_value = Database::escape_string($original_course_id_value); $original_course_id_name = Database::escape_string($original_course_id_name); $sql = "SELECT item_id FROM $table_field cf INNER JOIN $t_cfv cfv ON cfv.field_id=cf.id WHERE variable = '$original_course_id_name' AND value = '$original_course_id_value' AND cf.extra_field_type = $extraFieldType "; $res = Database::query($sql); $row = Database::fetch_object($res); if ($row) { return $row->item_id; } else { return 0; } } /** * Gets the course code from the course id. Returns null if course id was not found * * @param int $id Course id * @return string Course code * @assert ('') === false */ public static function get_course_code_from_course_id($id) { $table = Database::get_main_table(TABLE_MAIN_COURSE); $id = intval($id); $sql = "SELECT code FROM $table WHERE id = '$id' "; $res = Database::query($sql); $row = Database::fetch_object($res); if ($row) { return $row->code; } else { return null; } } /** * Subscribe a user $user_id to a course defined by $courseCode. * @author Hugues Peeters * @author Roan Embrechts * * @param int $user_id the id of the user * @param string $courseCode the course code * @param int $status (optional) The user's status in the course * @param int $userCourseCategoryId * @param int The user category in which this subscription will be classified * * @return false|string true if subscription succeeds, boolean false otherwise. * @assert ('', '') === false */ public static function add_user_to_course( $user_id, $courseCode, $status = STUDENT, $userCourseCategoryId = 0 ) { $debug = false; $user_table = Database::get_main_table(TABLE_MAIN_USER); $course_table = Database::get_main_table(TABLE_MAIN_COURSE); $course_user_table = Database::get_main_table(TABLE_MAIN_COURSE_USER); $status = ($status == STUDENT || $status == COURSEMANAGER) ? $status : STUDENT; if (empty($user_id) || empty($courseCode) || ($user_id != strval(intval($user_id)))) { return false; } $courseCode = Database::escape_string($courseCode); $courseInfo = api_get_course_info($courseCode); $courseId = $courseInfo['real_id']; // Check in advance whether the user has already been registered on the platform. $sql = "SELECT status FROM ".$user_table." WHERE user_id = $user_id "; if (Database::num_rows(Database::query($sql)) == 0) { if ($debug) { error_log('The user has not been registered to the platform'); } return false; // The user has not been registered to the platform. } // Check whether the user has already been subscribed to this course. $sql = "SELECT * FROM $course_user_table WHERE user_id = $user_id AND relation_type <> ".COURSE_RELATION_TYPE_RRHH." AND c_id = $courseId"; if (Database::num_rows(Database::query($sql)) > 0) { if ($debug) { error_log('The user has been already subscribed to the course'); } return false; // The user has been subscribed to the course. } if (!api_is_course_admin()) { // Check in advance whether subscription is allowed or not for this course. $sql = "SELECT code, visibility FROM $course_table WHERE id = $courseId AND subscribe = '".SUBSCRIBE_NOT_ALLOWED."'"; if (Database::num_rows(Database::query($sql)) > 0) { if ($debug) { error_log('Subscription is not allowed for this course'); } return false; // Subscription is not allowed for this course. } } // Ok, subscribe the user. $max_sort = api_max_sort_value('0', $user_id); $params = [ 'c_id' => $courseId, 'user_id' => $user_id, 'status' => $status, 'sort' => $max_sort + 1, 'relation_type' => 0, 'user_course_cat' => (int) $userCourseCategoryId ]; $insertId = Database::insert($course_user_table, $params); return $insertId; } /** * Add the user $userId visibility to the course $courseCode in the catalogue. * @author David Nos (https://github.com/dnos) * * @param int $userId the id of the user * @param string $courseCode the course code * @param int $visible (optional) The course visibility in the catalogue to the user (1=visible, 0=invisible) * * @return boolean true if added succesfully, false otherwise. */ public static function addUserVisibilityToCourseInCatalogue($userId, $courseCode, $visible = 1) { $debug = false; $userTable = Database::get_main_table(TABLE_MAIN_USER); $courseUserTable = Database::get_main_table(TABLE_MAIN_COURSE_CATALOGUE_USER); if (empty($userId) || empty($courseCode) || ($userId != strval(intval($userId)))) { return false; } $courseCode = Database::escape_string($courseCode); $courseInfo = api_get_course_info($courseCode); $courseId = $courseInfo['real_id']; // Check in advance whether the user has already been registered on the platform. $sql = "SELECT status FROM ".$userTable." WHERE user_id = $userId "; if (Database::num_rows(Database::query($sql)) == 0) { if ($debug) { error_log('The user has not been registered to the platform'); } return false; // The user has not been registered to the platform. } // Check whether the user has already been registered to the course visibility in the catalogue. $sql = "SELECT * FROM $courseUserTable WHERE user_id = $userId AND visible = ".$visible." AND c_id = $courseId"; if (Database::num_rows(Database::query($sql)) > 0) { if ($debug) { error_log('The user has been already registered to the course visibility in the catalogue'); } return true; // The visibility of the user to the course in the catalogue does already exist. } // Register the user visibility to course in catalogue. $params = [ 'user_id' => $userId, 'c_id' => $courseId, 'visible' => $visible ]; $insertId = Database::insert($courseUserTable, $params); return $insertId; } /** * Remove the user $userId visibility to the course $courseCode in the catalogue. * @author David Nos (https://github.com/dnos) * * @param int $userId the id of the user * @param string $courseCode the course code * @param int $visible (optional) The course visibility in the catalogue to the user (1=visible, 0=invisible) * * @return boolean true if removed succesfully or register not found, false otherwise. */ public static function removeUserVisibilityToCourseInCatalogue($userId, $courseCode, $visible = 1) { $courseUserTable = Database::get_main_table(TABLE_MAIN_COURSE_CATALOGUE_USER); if (empty($userId) || empty($courseCode) || ($userId != strval(intval($userId)))) { return false; } $courseCode = Database::escape_string($courseCode); $courseInfo = api_get_course_info($courseCode); $courseId = $courseInfo['real_id']; // Check whether the user has already been registered to the course visibility in the catalogue. $sql = "SELECT * FROM $courseUserTable WHERE user_id = $userId AND visible = ".$visible." AND c_id = $courseId"; if (Database::num_rows(Database::query($sql)) > 0) { $cond = array( 'user_id = ? AND c_id = ? AND visible = ? ' => array( $userId, $courseId, $visible ) ); return Database::delete($courseUserTable, $cond); } else { return true; // Register does not exist } } /** * @return boolean if there already are one or more courses * with the same code OR visual_code (visualcode), false otherwise */ public static function course_code_exists($wanted_course_code) { $wanted_course_code = Database::escape_string($wanted_course_code); $sql = "SELECT COUNT(*) as number FROM " . Database::get_main_table(TABLE_MAIN_COURSE)." WHERE code = '$wanted_course_code' OR visual_code = '$wanted_course_code'"; $result = Database::fetch_array(Database::query($sql)); return $result['number'] > 0; } /** * Get course list as coach * * @param int $user_id * @param bool $include_courses_in_sessions * @return array Course list * **/ public static function get_course_list_as_coach($user_id, $include_courses_in_sessions = false) { // 1. Getting courses as teacher (No session) $courses_temp = self::get_course_list_of_user_as_course_admin($user_id); $courseList = array(); if (!empty($courses_temp)) { foreach ($courses_temp as $course_item) { $courseList[0][$course_item['code']] = $course_item['code']; } } //2. Include courses in sessions if ($include_courses_in_sessions) { $sessions = Tracking::get_sessions_coached_by_user($user_id); if (!empty($sessions)) { foreach ($sessions as $session_item) { $courses = Tracking:: get_courses_followed_by_coach($user_id, $session_item['id']); if (is_array($courses)) { foreach ($courses as $course_item) { $courseList[$session_item['id']][$course_item] = $course_item; } } } } } return $courseList; } /** * @param int $user_id * @param bool $include_sessions * @return array */ public static function get_user_list_from_courses_as_coach($user_id, $include_sessions = true) { $students_in_courses = array(); $sessions = self::get_course_list_as_coach($user_id, true); if (!empty($sessions)) { foreach ($sessions as $session_id => $courses) { if (!$include_sessions) { if (!empty($session_id)) { continue; } } if (empty($session_id)) { foreach ($courses as $course_code) { $students_in_course = self::get_user_list_from_course_code($course_code); foreach ($students_in_course as $user_item) { //Only students if ($user_item['status_rel'] == STUDENT) { $students_in_courses[$user_item['user_id']] = $user_item['user_id']; } } } } else { $students_in_course = SessionManager::get_users_by_session($session_id, '0'); if (is_array($students_in_course)) { foreach ($students_in_course as $user_item) { $students_in_courses[$user_item['user_id']] = $user_item['user_id']; } } } } } $students = Tracking:: get_student_followed_by_coach($user_id); if (!empty($students_in_courses)) { if (!empty($students)) { $students = array_merge($students, $students_in_courses); } else { $students = $students_in_courses; } } if (!empty($students)) { $students = array_unique($students); } return $students; } /** * @param int $user_id * @param string $startsWith Optional * @return array An array with the course info of all the courses (real and virtual) * of which the current user is course admin. */ public static function get_course_list_of_user_as_course_admin($user_id, $startsWith = null) { if ($user_id != strval(intval($user_id))) { return array(); } // Definitions database tables and variables $tbl_course = Database::get_main_table(TABLE_MAIN_COURSE); $tbl_course_user = Database::get_main_table(TABLE_MAIN_COURSE_USER); $user_id = intval($user_id); $data = array(); $sql = "SELECT course.code, course.title, course.id, course.id as real_id, course.category_code FROM $tbl_course_user as course_rel_user INNER JOIN $tbl_course as course ON course.id = course_rel_user.c_id WHERE course_rel_user.user_id='$user_id' AND course_rel_user.status='1' "; if (api_get_multiple_access_url()) { $tbl_course_rel_access_url = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE); $access_url_id = api_get_current_access_url_id(); if ($access_url_id != -1) { $sql = " SELECT course.code, course.title, course.id, course.id as real_id FROM $tbl_course_user as course_rel_user INNER JOIN $tbl_course as course ON course.id = course_rel_user.c_id INNER JOIN $tbl_course_rel_access_url course_rel_url ON (course_rel_url.c_id = course.id) WHERE access_url_id = $access_url_id AND course_rel_user.user_id = '$user_id' AND course_rel_user.status = '1' "; } } if (!empty($startsWith)) { $startsWith = Database::escape_string($startsWith); $sql .= " AND (course.title LIKE '$startsWith%' OR course.code LIKE '$startsWith%')"; } $sql .= ' ORDER BY course.title'; $result_nb_cours = Database::query($sql); if (Database::num_rows($result_nb_cours) > 0) { while ($row = Database::fetch_array($result_nb_cours, 'ASSOC')) { $data[$row['id']] = $row; } } return $data; } /** * @param int $userId * @param array $courseInfo * @return boolean|null */ public static function isUserSubscribedInCourseAsDrh($userId, $courseInfo) { $userId = intval($userId); if (!api_is_drh()) { return false; } if (empty($courseInfo) || empty($userId)) { return false; } $courseId = intval($courseInfo['real_id']); $table = Database::get_main_table(TABLE_MAIN_COURSE_USER); $sql = "SELECT * FROM $table WHERE user_id = $userId AND relation_type = ".COURSE_RELATION_TYPE_RRHH." AND c_id = $courseId"; $result = Database::fetch_array(Database::query($sql)); if (!empty($result)) { // The user has been registered in this course. return true; } } /** * Check if user is subscribed inside a course * @param int $user_id * @param string $course_code , if this parameter is null, it'll check for all courses * @param bool $in_a_session True for checking inside sessions too, by default is not checked * @return bool $session_id true if the user is registered in the course, false otherwise */ public static function is_user_subscribed_in_course( $user_id, $course_code = null, $in_a_session = false, $session_id = null ) { $user_id = intval($user_id); if (empty($session_id)) { $session_id = api_get_session_id(); } else { $session_id = intval($session_id); } $condition_course = ''; if (isset($course_code)) { $courseInfo = api_get_course_info($course_code); if (empty($courseInfo)) { return false; } $courseId = $courseInfo['real_id']; $condition_course = ' AND c_id = '.$courseId; } $sql = "SELECT * FROM ".Database::get_main_table(TABLE_MAIN_COURSE_USER)." WHERE user_id = $user_id AND relation_type<>".COURSE_RELATION_TYPE_RRHH." $condition_course "; $result = Database::fetch_array(Database::query($sql)); if (!empty($result)) { // The user has been registered in this course. return true; } if (!$in_a_session) { // The user has not been registered in this course. return false; } $tableSessionCourseUser = Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER); $sql = 'SELECT 1 FROM '.$tableSessionCourseUser. ' WHERE user_id = '.$user_id.' '.$condition_course; if (Database::num_rows(Database::query($sql)) > 0) { return true; } $sql = 'SELECT 1 FROM '.$tableSessionCourseUser. ' WHERE user_id = '.$user_id.' AND status=2 '.$condition_course; if (Database::num_rows(Database::query($sql)) > 0) { return true; } $sql = 'SELECT 1 FROM '.Database::get_main_table(TABLE_MAIN_SESSION). ' WHERE id = '.$session_id.' AND id_coach='.$user_id; if (Database::num_rows(Database::query($sql)) > 0) { return true; } return false; } /** * Is the user a teacher in the given course? * * @param integer $user_id , the id (int) of the user * @param $course_code , the course code * * @return boolean if the user is a teacher in the course, false otherwise */ public static function is_course_teacher($user_id, $course_code) { if ($user_id != strval(intval($user_id))) { return false; } $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; $result = Database::query( 'SELECT status FROM '.Database::get_main_table(TABLE_MAIN_COURSE_USER). ' WHERE c_id = '.$courseId.' AND user_id = '.$user_id.'' ); if (Database::num_rows($result) > 0) { return Database::result($result, 0, 'status') == 1; } return false; } /** * Is the user subscribed in the real course or linked courses? * * @param int the id of the user * @param int $courseId * @deprecated linked_courses definition doesn't exists * @return boolean if the user is registered in the real course or linked courses, false otherwise */ public static function is_user_subscribed_in_real_or_linked_course($user_id, $courseId, $session_id = '') { if ($user_id != strval(intval($user_id))) { return false; } $courseId = intval($courseId); if ($session_id == '') { $result = Database::fetch_array( Database::query( "SELECT * FROM " . Database::get_main_table(TABLE_MAIN_COURSE)." course LEFT JOIN " . Database::get_main_table(TABLE_MAIN_COURSE_USER)." course_user ON course.id = course_user.c_id WHERE course_user.user_id = '$user_id' AND course_user.relation_type<>".COURSE_RELATION_TYPE_RRHH." AND ( course.id = '$courseId')" ) ); return !empty($result); } $session_id = intval($session_id); // From here we trust session id. // Is he/she subscribed to the session's course? // A user? if (Database::num_rows(Database::query("SELECT user_id FROM " . Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." WHERE session_id='" . $session_id."' AND user_id ='$user_id'")) ) { return true; } // A course coach? if (Database::num_rows(Database::query("SELECT user_id FROM " . Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." WHERE session_id='" . $session_id."' AND user_id = '$user_id' AND status = 2 AND c_id ='$courseId'")) ) { return true; } // A session coach? if (Database::num_rows(Database::query("SELECT id_coach FROM " . Database::get_main_table(TABLE_MAIN_SESSION)." AS session WHERE session.id='" . $session_id."' AND id_coach='$user_id'")) ) { return true; } return false; } /** * Return user info array of all users registered in a course * This only returns the users that are registered in this actual course, not linked courses. * @param string $course_code * @param int $session_id * @param string $limit * @param string $order_by the field to order the users by. * Valid values are 'lastname', 'firstname', 'username', 'email', 'official_code' OR a part of a SQL statement * that starts with ORDER BY ... * @param integer|null $filter_by_status if using the session_id: 0 or 2 (student, coach), * if using session_id = 0 STUDENT or COURSEMANAGER * @param boolean|null $return_count * @param bool $add_reports * @param bool $resumed_report * @param array $extra_field * @param array $courseCodeList * @param array $userIdList * @param string $filterByActive * @param array $sessionIdList * @return array|int */ public static function get_user_list_from_course_code( $course_code = null, $session_id = 0, $limit = null, $order_by = null, $filter_by_status = null, $return_count = null, $add_reports = false, $resumed_report = false, $extra_field = array(), $courseCodeList = array(), $userIdList = array(), $filterByActive = null, $sessionIdList = array() ) { $course_table = Database::get_main_table(TABLE_MAIN_COURSE); $sessionTable = Database::get_main_table(TABLE_MAIN_SESSION); $session_id = intval($session_id); $course_code = Database::escape_string($course_code); $courseInfo = api_get_course_info($course_code); $courseId = 0; if (!empty($courseInfo)) { $courseId = $courseInfo['real_id']; } $where = array(); if (empty($order_by)) { $order_by = 'user.lastname, user.firstname'; if (api_is_western_name_order()) { $order_by = 'user.firstname, user.lastname'; } } // if the $order_by does not contain 'ORDER BY' // we have to check if it is a valid field that can be sorted on if (!strstr($order_by, 'ORDER BY')) { if (!empty($order_by)) { $order_by = 'ORDER BY '.$order_by; } else { $order_by = ''; } } $filter_by_status_condition = null; if (!empty($session_id) || !empty($sessionIdList)) { $sql = 'SELECT DISTINCT user.user_id, user.email, session_course_user.status as status_session, session_id, user.*, course.*, session.name as session_name '; if ($return_count) { $sql = " SELECT COUNT(user.user_id) as count"; } $sessionCondition = " session_course_user.session_id = $session_id"; if (!empty($sessionIdList)) { $sessionIdListTostring = implode("','", array_map('intval', $sessionIdList)); $sessionCondition = " session_course_user.session_id IN ('$sessionIdListTostring') "; } $courseCondition = " course.id = $courseId"; if (!empty($courseCodeList)) { $courseCodeListForSession = array_map(array('Database', 'escape_string'), $courseCodeList); $courseCodeListForSession = implode('","', $courseCodeListForSession); $courseCondition = ' course.code IN ("'.$courseCodeListForSession.'") '; } $sql .= ' FROM '.Database::get_main_table(TABLE_MAIN_USER).' as user '; $sql .= " LEFT JOIN ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." as session_course_user ON user.id = session_course_user.user_id AND $sessionCondition INNER JOIN $course_table course ON session_course_user.c_id = course.id AND $courseCondition INNER JOIN $sessionTable session ON session_course_user.session_id = session.id "; $where[] = ' session_course_user.c_id IS NOT NULL '; // 2 = coach // 0 = student if (isset($filter_by_status)) { $filter_by_status = intval($filter_by_status); $filter_by_status_condition = " session_course_user.status = $filter_by_status AND "; } } else { if ($return_count) { $sql = " SELECT COUNT(*) as count"; } else { if (empty($course_code)) { $sql = 'SELECT DISTINCT course.title, course.code, course_rel_user.status as status_rel, user.id as user_id, user.email, course_rel_user.is_tutor, user.* '; } else { $sql = 'SELECT DISTINCT course_rel_user.status as status_rel, user.id as user_id, user.email, course_rel_user.is_tutor, user.* '; } } $sql .= ' FROM '.Database::get_main_table(TABLE_MAIN_USER).' as user ' . ' LEFT JOIN '.Database::get_main_table(TABLE_MAIN_COURSE_USER).' as course_rel_user ON user.id = course_rel_user.user_id AND course_rel_user.relation_type <> ' . COURSE_RELATION_TYPE_RRHH.' ' . " INNER JOIN $course_table course ON course_rel_user.c_id = course.id "; if (!empty($course_code)) { $sql .= ' AND course_rel_user.c_id = "'.$courseId.'"'; } $where[] = ' course_rel_user.c_id IS NOT NULL '; if (isset($filter_by_status) && is_numeric($filter_by_status)) { $filter_by_status = intval($filter_by_status); $filter_by_status_condition = " course_rel_user.status = $filter_by_status AND "; } } $multiple_access_url = api_get_multiple_access_url(); if ($multiple_access_url) { $sql .= ' LEFT JOIN '.Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_USER).' au ON (au.user_id = user.id) '; } $extraFieldWasAdded = false; if ($return_count && $resumed_report) { foreach ($extra_field as $extraField) { $extraFieldInfo = UserManager::get_extra_field_information_by_name($extraField); if (!empty($extraFieldInfo)) { $fieldValuesTable = Database::get_main_table(TABLE_EXTRA_FIELD_VALUES); $sql .= ' LEFT JOIN '.$fieldValuesTable.' as ufv ON ( user.id = ufv.item_id AND (field_id = '.$extraFieldInfo['id'].' OR field_id IS NULL) )'; $extraFieldWasAdded = true; } } } $sql .= ' WHERE '.$filter_by_status_condition.' '.implode(' OR ', $where); if ($multiple_access_url) { $current_access_url_id = api_get_current_access_url_id(); $sql .= " AND (access_url_id = $current_access_url_id ) "; } if ($return_count && $resumed_report && $extraFieldWasAdded) { $sql .= ' AND field_id IS NOT NULL GROUP BY value '; } if (!empty($courseCodeList)) { $courseCodeList = array_map(array('Database', 'escape_string'), $courseCodeList); $courseCodeList = implode('","', $courseCodeList); if (empty($sessionIdList)) { $sql .= ' AND course.code IN ("'.$courseCodeList.'")'; } } if (!empty($userIdList)) { $userIdList = array_map('intval', $userIdList); $userIdList = implode('","', $userIdList); $sql .= ' AND user.id IN ("'.$userIdList.'")'; } if (isset($filterByActive)) { $filterByActive = intval($filterByActive); $sql .= ' AND user.active = '.$filterByActive; } $sql .= ' '.$order_by.' '.$limit; $rs = Database::query($sql); $users = array(); $extra_fields = UserManager::get_extra_fields(0, 100, null, null, true, true); $counter = 1; $count_rows = Database::num_rows($rs); if ($return_count && $resumed_report) { return $count_rows; } $table_user_field_value = Database::get_main_table(TABLE_EXTRA_FIELD_VALUES); $tableExtraField = Database::get_main_table(TABLE_EXTRA_FIELD); if ($count_rows) { while ($user = Database::fetch_array($rs)) { if ($return_count) { return $user['count']; } $report_info = array(); $user_info = $user; $user_info['status'] = $user['status']; if (isset($user['is_tutor'])) { $user_info['is_tutor'] = $user['is_tutor']; } if (!empty($session_id)) { $user_info['status_session'] = $user['status_session']; } $sessionId = isset($user['session_id']) ? $user['session_id'] : 0; $course_code = isset($user['code']) ? $user['code'] : null; if ($add_reports) { if ($resumed_report) { $extra = array(); if (!empty($extra_fields)) { foreach ($extra_fields as $extra) { if (in_array($extra['1'], $extra_field)) { $user_data = UserManager::get_extra_user_data_by_field( $user['user_id'], $extra['1'] ); break; } } } $row_key = '-1'; $name = '-'; if (!empty($extra)) { if (!empty($user_data[$extra['1']])) { $row_key = $user_data[$extra['1']]; $name = $user_data[$extra['1']]; $users[$row_key]['extra_'.$extra['1']] = $name; } } $users[$row_key]['training_hours'] += Tracking::get_time_spent_on_the_course( $user['user_id'], $courseId, $sessionId ); $users[$row_key]['count_users'] += $counter; $registered_users_with_extra_field = self::getCountRegisteredUsersWithCourseExtraField( $name, $tableExtraField, $table_user_field_value ); $users[$row_key]['count_users_registered'] = $registered_users_with_extra_field; $users[$row_key]['average_hours_per_user'] = $users[$row_key]['training_hours'] / $users[$row_key]['count_users']; $category = Category:: load( null, null, $course_code, null, null, $sessionId ); if (!isset($users[$row_key]['count_certificates'])) { $users[$row_key]['count_certificates'] = 0; } if (isset($category[0]) && $category[0]->is_certificate_available($user['user_id'])) { $users[$row_key]['count_certificates']++; } foreach ($extra_fields as $extra) { if ($extra['1'] == 'ruc') { continue; } if (!isset($users[$row_key][$extra['1']])) { $user_data = UserManager::get_extra_user_data_by_field($user['user_id'], $extra['1']); if (!empty($user_data[$extra['1']])) { $users[$row_key][$extra['1']] = $user_data[$extra['1']]; } } } } else { $sessionName = !empty($sessionId) ? ' - '.$user['session_name'] : ''; $report_info['course'] = $user['title'].$sessionName; $report_info['user'] = api_get_person_name($user['firstname'], $user['lastname']); $report_info['email'] = $user['email']; $report_info['time'] = api_time_to_hms( Tracking::get_time_spent_on_the_course( $user['user_id'], $courseId, $sessionId ) ); $category = Category:: load( null, null, $course_code, null, null, $sessionId ); $report_info['certificate'] = Display::label(get_lang('No')); if (isset($category[0]) && $category[0]->is_certificate_available($user['user_id'])) { $report_info['certificate'] = Display::label(get_lang('Yes'), 'success'); } $progress = intval( Tracking::get_avg_student_progress( $user['user_id'], $course_code, array(), $sessionId ) ); $report_info['progress_100'] = $progress == 100 ? Display::label(get_lang('Yes'), 'success') : Display::label(get_lang('No')); $report_info['progress'] = $progress."%"; foreach ($extra_fields as $extra) { $user_data = UserManager::get_extra_user_data_by_field($user['user_id'], $extra['1']); $report_info[$extra['1']] = $user_data[$extra['1']]; } $report_info['user_id'] = $user['user_id']; $users[] = $report_info; } } else { $users[$user['user_id']] = $user_info; } } } return $users; } /** * @param bool $resumed_report * @param array $extra_field * @param array $courseCodeList * @param array $userIdList * @param array $sessionIdList * @return array|int */ public static function get_count_user_list_from_course_code( $resumed_report = false, $extra_field = array(), $courseCodeList = array(), $userIdList = array(), $sessionIdList = array() ) { return self::get_user_list_from_course_code( null, 0, null, null, null, true, false, $resumed_report, $extra_field, $courseCodeList, $userIdList, null, $sessionIdList ); } /** * Gets subscribed users in a course or in a course/session * * @param string $course_code * @param int $session_id * @return int */ public static function get_users_count_in_course( $course_code, $session_id = 0, $status = null ) { // variable initialisation $session_id = intval($session_id); $course_code = Database::escape_string($course_code); $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; $sql = 'SELECT DISTINCT count(user.id) as count FROM ' . Database::get_main_table(TABLE_MAIN_USER).' as user '; $where = array(); if (!empty($session_id)) { $sql .= ' LEFT JOIN '.Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER).' as session_course_user ON user.user_id = session_course_user.user_id AND session_course_user.c_id = "' . $courseId.'" AND session_course_user.session_id = ' . $session_id; $where[] = ' session_course_user.c_id IS NOT NULL '; } else { $sql .= ' LEFT JOIN '.Database::get_main_table(TABLE_MAIN_COURSE_USER).' as course_rel_user ON user.user_id = course_rel_user.user_id AND course_rel_user.relation_type<>' . COURSE_RELATION_TYPE_RRHH.' AND course_rel_user.c_id = ' . $courseId; $where[] = ' course_rel_user.c_id IS NOT NULL '; } $multiple_access_url = api_get_multiple_access_url(); if ($multiple_access_url) { $sql .= ' LEFT JOIN '.Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_USER).' au ON (au.user_id = user.user_id) '; } $sql .= ' WHERE '.implode(' OR ', $where); if ($multiple_access_url) { $current_access_url_id = api_get_current_access_url_id(); $sql .= " AND (access_url_id = $current_access_url_id ) "; } $rs = Database::query($sql); $count = 0; if (Database::num_rows($rs)) { $user = Database::fetch_array($rs); $count = $user['count']; } return $count; } /** * Get a list of coaches of a course and a session * @param string $course_code * @param int $session_id * @param bool $addGeneralCoach * @return array List of users */ public static function get_coach_list_from_course_code($course_code, $session_id, $addGeneralCoach = true) { if (empty($course_code) || empty($session_id)) { return array(); } $course_code = Database::escape_string($course_code); $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; $session_id = intval($session_id); $users = array(); // We get the coach for the given course in a given session. $sql = 'SELECT user_id FROM '.Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER). ' WHERE session_id ="'.$session_id.'" AND c_id="'.$courseId.'" AND status = 2'; $rs = Database::query($sql); while ($user = Database::fetch_array($rs)) { $userInfo = api_get_user_info($user['user_id']); if ($userInfo) { $users[$user['user_id']] = $userInfo; } } if ($addGeneralCoach) { $table = Database::get_main_table(TABLE_MAIN_SESSION); // We get the session coach. $sql = 'SELECT id_coach FROM '.$table.' WHERE id='.$session_id; $rs = Database::query($sql); $session_id_coach = Database::result($rs, 0, 'id_coach'); $userInfo = api_get_user_info($session_id_coach); if ($userInfo) { $users[$session_id_coach] = $userInfo; } } return $users; } /** * Return user info array of all users registered in a course * This only returns the users that are registered in this actual course, not linked courses. * * @param string $course_code * @param boolean $with_session * @param integer $session_id * @param string $date_from * @param string $date_to * @param boolean $includeInvitedUsers Whether include the invited users * @param int $groupId * @return array with user id */ public static function get_student_list_from_course_code( $course_code, $with_session = false, $session_id = 0, $date_from = null, $date_to = null, $includeInvitedUsers = true, $groupId = 0 ) { $userTable = Database::get_main_table(TABLE_MAIN_USER); $session_id = intval($session_id); $course_code = Database::escape_string($course_code); $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; $students = array(); if ($session_id == 0) { if (empty($groupId)) { // students directly subscribed to the course $sql = "SELECT * FROM ".Database::get_main_table(TABLE_MAIN_COURSE_USER)." cu INNER JOIN $userTable u ON cu.user_id = u.user_id WHERE c_id = '$courseId' AND cu.status = ".STUDENT; if (!$includeInvitedUsers) { $sql .= " AND u.status != ".INVITEE; } $rs = Database::query($sql); while ($student = Database::fetch_array($rs)) { $students[$student['user_id']] = $student; } } else { $students = GroupManager::get_users( $groupId, false, null, null, false, $courseInfo['real_id'] ); $students = array_flip($students); } } // students subscribed to the course through a session if ($with_session) { $joinSession = ""; //Session creation date if (!empty($date_from) && !empty($date_to)) { $joinSession = "INNER JOIN ".Database::get_main_table(TABLE_MAIN_SESSION)." s"; } $sql_query = "SELECT * FROM " . Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER)." scu $joinSession INNER JOIN $userTable u ON scu.user_id = u.user_id WHERE scu.c_id = '$courseId' AND scu.status <> 2"; if (!empty($date_from) && !empty($date_to)) { $date_from = Database::escape_string($date_from); $date_to = Database::escape_string($date_to); $sql_query .= " AND s.access_start_date >= '$date_from' AND s.access_end_date <= '$date_to'"; } if ($session_id != 0) { $sql_query .= ' AND scu.session_id = '.$session_id; } if (!$includeInvitedUsers) { $sql_query .= " AND u.status != ".INVITEE; } $rs = Database::query($sql_query); while ($student = Database::fetch_array($rs)) { $students[$student['user_id']] = $student; } } return $students; } /** * Return user info array of all teacher-users registered in a course * This only returns the users that are registered in this actual course, not linked courses. * * @param string $course_code * @return array with user id */ public static function get_teacher_list_from_course_code($course_code) { $courseInfo = api_get_course_info($course_code); $courseId = $courseInfo['real_id']; if (empty($courseId)) { return false; } $sql = "SELECT DISTINCT u.id as user_id, u.lastname, u.firstname, u.email, u.username, u.status FROM " . Database::get_main_table(TABLE_MAIN_COURSE_USER)." cu INNER JOIN " . Database::get_main_table(TABLE_MAIN_USER)." u ON (cu.user_id = u.id) WHERE cu.c_id = $courseId AND cu.status = 1 "; $rs = Database::query($sql); $teachers = array(); while ($teacher = Database::fetch_array($rs)) { $teachers[$teacher['user_id']] = $teacher; } return $teachers; } /** * Return user info array of all teacher-users registered in a course * This only returns the users that are registered in this actual course, not linked courses. * * @param int $courseId * @param bool $loadAvatars * * @return array with user id */ public static function getTeachersFromCourse($courseId, $loadAvatars = true) { $courseId = (int) $courseId; if (empty($courseId)) { return false; } $sql = "SELECT DISTINCT u.id as user_id, u.lastname, u.firstname, u.email, u.username, u.status FROM " . Database::get_main_table(TABLE_MAIN_COURSE_USER)." cu INNER JOIN " . Database::get_main_table(TABLE_MAIN_USER)." u ON (cu.user_id = u.id) WHERE cu.c_id = $courseId AND cu.status = 1 "; $rs = Database::query($sql); $listTeachers = array(); $teachers = array(); $url = api_get_path(WEB_AJAX_PATH).'user_manager.ajax.php?a=get_user_popup'; while ($teacher = Database::fetch_array($rs)) { $teachers['id'] = $teacher['user_id']; $teachers['lastname'] = $teacher['lastname']; $teachers['firstname'] = $teacher['firstname']; $teachers['email'] = $teacher['email']; $teachers['username'] = $teacher['username']; $teachers['status'] = $teacher['status']; $teachers['avatar'] = ''; if ($loadAvatars) { $userPicture = UserManager::getUserPicture($teacher['user_id'], USER_IMAGE_SIZE_SMALL); $teachers['avatar'] = $userPicture; } $teachers['url'] = $url.'&user_id='.$teacher['user_id']; $listTeachers[] = $teachers; } return $listTeachers; } /** * Returns a string list of teachers assigned to the given course * @param string $course_code * @param string $separator between teachers names * @param bool $add_link_to_profile Whether to add a link to the teacher's profile * @return string List of teachers teaching the course */ public static function get_teacher_list_from_course_code_to_string( $course_code, $separator = self::USER_SEPARATOR, $add_link_to_profile = false, $orderList = false ) { $teacher_list = self::get_teacher_list_from_course_code($course_code); $html = ''; $list = array(); if (!empty($teacher_list)) { foreach ($teacher_list as $teacher) { $teacher_name = api_get_person_name( $teacher['firstname'], $teacher['lastname'] ); if ($add_link_to_profile) { $url = api_get_path(WEB_AJAX_PATH).'user_manager.ajax.php?a=get_user_popup&user_id='.$teacher['user_id']; $teacher_name = Display::url( $teacher_name, $url, [ 'class' => 'ajax', 'data-title' => $teacher_name ] ); } $list[] = $teacher_name; } if (!empty($list)) { if ($orderList === true) { $html .= '
'.$params['description'].'
'; } if (!empty($params['subtitle'])) { $html .= ''.$params['subtitle'].''; } if (!empty($params['teachers'])) { $html .= ' $wanted_code = 'curse' if there are in the DB codes like curse1 curse2 the function will return: course3
* if the course code doest not exist in the DB the same course code will be returned
* @return string wanted unused code
*/
public static function generate_nice_next_course_code($wanted_code)
{
$course_code_ok = !self::course_code_exists($wanted_code);
if (!$course_code_ok) {
$wanted_code = self::generate_course_code($wanted_code);
$table = Database::get_main_table(TABLE_MAIN_COURSE);
$wanted_code = Database::escape_string($wanted_code);
$sql = "SELECT count(id) as count
FROM $table
WHERE code LIKE '$wanted_code%'";
$result = Database::query($sql);
if (Database::num_rows($result) > 0) {
$row = Database::fetch_array($result);
$count = $row['count'] + 1;
$wanted_code = $wanted_code.'_'.$count;
$result = api_get_course_info($wanted_code);
if (empty($result)) {
return $wanted_code;
}
}
return false;
}
return $wanted_code;
}
/**
* Gets the status of the users agreement in a course course-session
*
* @param int $user_id
* @param string $course_code
* @param int $session_id
* @return boolean
*/
public static function is_user_accepted_legal($user_id, $course_code, $session_id = null)
{
$user_id = intval($user_id);
$course_code = Database::escape_string($course_code);
$session_id = intval($session_id);
$courseInfo = api_get_course_info($course_code);
$courseId = $courseInfo['real_id'];
// Course legal
$enabled = api_get_plugin_setting('courselegal', 'tool_enable');
if ($enabled == 'true') {
require_once api_get_path(SYS_PLUGIN_PATH).'courselegal/config.php';
$plugin = CourseLegalPlugin::create();
return $plugin->isUserAcceptedLegal($user_id, $course_code, $session_id);
}
if (empty($session_id)) {
$table = Database::get_main_table(TABLE_MAIN_COURSE_USER);
$sql = "SELECT legal_agreement FROM $table
WHERE user_id = $user_id AND c_id = $courseId ";
$result = Database::query($sql);
if (Database::num_rows($result) > 0) {
$result = Database::fetch_array($result);
if ($result['legal_agreement'] == 1) {
return true;
}
}
return false;
} else {
$table = Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER);
$sql = "SELECT legal_agreement FROM $table
WHERE user_id = $user_id AND c_id = $courseId AND session_id = $session_id";
$result = Database::query($sql);
if (Database::num_rows($result) > 0) {
$result = Database::fetch_array($result);
if ($result['legal_agreement'] == 1) {
return true;
}
}
return false;
}
}
/**
* Saves the user-course legal agreement
* @param int user id
* @param string course code
* @param int session id
* @return mixed
*/
public static function save_user_legal($user_id, $course_code, $session_id = null)
{
// Course plugin legal
$enabled = api_get_plugin_setting('courselegal', 'tool_enable');
if ($enabled == 'true') {
require_once api_get_path(SYS_PLUGIN_PATH).'courselegal/config.php';
$plugin = CourseLegalPlugin::create();
return $plugin->saveUserLegal($user_id, $course_code, $session_id);
}
$user_id = intval($user_id);
$course_code = Database::escape_string($course_code);
$session_id = intval($session_id);
$courseInfo = api_get_course_info($course_code);
$courseId = $courseInfo['real_id'];
if (empty($session_id)) {
$table = Database::get_main_table(TABLE_MAIN_COURSE_USER);
$sql = "UPDATE $table SET legal_agreement = '1'
WHERE user_id = $user_id AND c_id = $courseId ";
Database::query($sql);
} else {
$table = Database::get_main_table(TABLE_MAIN_SESSION_COURSE_USER);
$sql = "UPDATE $table SET legal_agreement = '1'
WHERE user_id = $user_id AND c_id = $courseId AND session_id = $session_id";
Database::query($sql);
}
}
/**
* @param int $user_id
* @param int $course_id
* @param int $session_id
* @param int $url_id
* @return bool
*/
public static function get_user_course_vote($user_id, $course_id, $session_id = null, $url_id = null)
{
$table_user_course_vote = Database::get_main_table(TABLE_MAIN_USER_REL_COURSE_VOTE);
$session_id = !isset($session_id) ? api_get_session_id() : intval($session_id);
$url_id = empty($url_id) ? api_get_current_access_url_id() : intval($url_id);
$user_id = intval($user_id);
if (empty($user_id)) {
return false;
}
$params = array(
'user_id' => $user_id,
'c_id' => $course_id,
'session_id' => $session_id,
'url_id' => $url_id
);
$result = Database::select(
'vote',
$table_user_course_vote,
array(
'where' => array(
'user_id = ? AND c_id = ? AND session_id = ? AND url_id = ?' => $params
)
),
'first'
);
if (!empty($result)) {
return $result['vote'];
}
return false;
}
/**
* @param int $course_id
* @param int $session_id
* @param int $url_id
* @return array
*/
public static function get_course_ranking($course_id, $session_id = null, $url_id = null)
{
$table_course_ranking = Database::get_main_table(TABLE_STATISTIC_TRACK_COURSE_RANKING);
$session_id = !isset($session_id) ? api_get_session_id() : intval($session_id);
$url_id = empty($url_id) ? api_get_current_access_url_id() : intval($url_id);
$now = api_get_utc_datetime();
$params = array(
'c_id' => $course_id,
'session_id' => $session_id,
'url_id' => $url_id,
'creation_date' => $now,
);
$result = Database::select(
'c_id, accesses, total_score, users',
$table_course_ranking,
array('where' => array('c_id = ? AND session_id = ? AND url_id = ?' => $params)),
'first'
);
$point_average_in_percentage = 0;
$point_average_in_star = 0;
$users_who_voted = 0;
if (!empty($result['users'])) {
$users_who_voted = $result['users'];
$point_average_in_percentage = round($result['total_score'] / $result['users'] * 100 / 5, 2);
$point_average_in_star = round($result['total_score'] / $result['users'], 1);
}
$result['user_vote'] = false;
if (!api_is_anonymous()) {
$result['user_vote'] = self::get_user_course_vote(api_get_user_id(), $course_id, $session_id, $url_id);
}
$result['point_average'] = $point_average_in_percentage;
$result['point_average_star'] = $point_average_in_star;
$result['users_who_voted'] = $users_who_voted;
return $result;
}
/**
*
* Updates the course ranking
* @param int course id
* @param int session id
* @param id url id
* @param integer $session_id
* @return array
**/
public static function update_course_ranking(
$course_id = null,
$session_id = null,
$url_id = null,
$points_to_add = null,
$add_access = true,
$add_user = true
) {
// Course catalog stats modifications see #4191
$table_course_ranking = Database::get_main_table(TABLE_STATISTIC_TRACK_COURSE_RANKING);
$now = api_get_utc_datetime();
$course_id = empty($course_id) ? api_get_course_int_id() : intval($course_id);
$session_id = !isset($session_id) ? api_get_session_id() : intval($session_id);
$url_id = empty($url_id) ? api_get_current_access_url_id() : intval($url_id);
$params = array(
'c_id' => $course_id,
'session_id' => $session_id,
'url_id' => $url_id,
'creation_date' => $now,
'total_score' => 0,
'users' => 0
);
$result = Database::select(
'id, accesses, total_score, users',
$table_course_ranking,
array('where' => array('c_id = ? AND session_id = ? AND url_id = ?' => $params)),
'first'
);
// Problem here every time we load the courses/XXXX/index.php course home page we update the access
if (empty($result)) {
if ($add_access) {
$params['accesses'] = 1;
}
//The votes and users are empty
if (isset($points_to_add) && !empty($points_to_add)) {
$params['total_score'] = intval($points_to_add);
}
if ($add_user) {
$params['users'] = 1;
}
$result = Database::insert($table_course_ranking, $params);
} else {
$my_params = array();
if ($add_access) {
$my_params['accesses'] = intval($result['accesses']) + 1;
}
if (isset($points_to_add) && !empty($points_to_add)) {
$my_params['total_score'] = $result['total_score'] + $points_to_add;
}
if ($add_user) {
$my_params['users'] = $result['users'] + 1;
}
if (!empty($my_params)) {
$result = Database::update(
$table_course_ranking,
$my_params,
array('c_id = ? AND session_id = ? AND url_id = ?' => $params)
);
}
}
return $result;
}
/**
* Add user vote to a course
*
* @param int user id
* @param int vote [1..5]
* @param int course id
* @param int session id
* @param int url id (access_url_id)
* @return false|string 'added', 'updated' or 'nothing'
*/
public static function add_course_vote($user_id, $vote, $course_id, $session_id = null, $url_id = null)
{
$table_user_course_vote = Database::get_main_table(TABLE_MAIN_USER_REL_COURSE_VOTE);
$course_id = empty($course_id) ? api_get_course_int_id() : intval($course_id);
if (empty($course_id) || empty($user_id)) {
return false;
}
if (!in_array($vote, array(1, 2, 3, 4, 5))) {
return false;
}
$session_id = !isset($session_id) ? api_get_session_id() : intval($session_id);
$url_id = empty($url_id) ? api_get_current_access_url_id() : intval($url_id);
$vote = intval($vote);
$params = array(
'user_id' => intval($user_id),
'c_id' => $course_id,
'session_id' => $session_id,
'url_id' => $url_id,
'vote' => $vote
);
$action_done = 'nothing';
$result = Database::select(
'id, vote',
$table_user_course_vote,
array('where' => array('user_id = ? AND c_id = ? AND session_id = ? AND url_id = ?' => $params)),
'first'
);
if (empty($result)) {
Database::insert($table_user_course_vote, $params);
$points_to_add = $vote;
$add_user = true;
$action_done = 'added';
} else {
$my_params = array('vote' => $vote);
$points_to_add = $vote - $result['vote'];
$add_user = false;
Database::update(
$table_user_course_vote,
$my_params,
array('user_id = ? AND c_id = ? AND session_id = ? AND url_id = ?' => $params)
);
$action_done = 'updated';
}
// Current points
if (!empty($points_to_add)) {
self::update_course_ranking(
$course_id,
$session_id,
$url_id,
$points_to_add,
false,
$add_user
);
}
return $action_done;
}
/**
* Remove course ranking + user votes
*
* @param int $course_id
* @param int $session_id
* @param int $url_id
*
*/
public static function remove_course_ranking($course_id, $session_id, $url_id = null)
{
$table_course_ranking = Database::get_main_table(TABLE_STATISTIC_TRACK_COURSE_RANKING);
$table_user_course_vote = Database::get_main_table(TABLE_MAIN_USER_REL_COURSE_VOTE);
if (!empty($course_id) && isset($session_id)) {
$url_id = empty($url_id) ? api_get_current_access_url_id() : intval($url_id);
$params = array(
'c_id' => $course_id,
'session_id' => $session_id,
'url_id' => $url_id,
);
Database::delete($table_course_ranking, array('c_id = ? AND session_id = ? AND url_id = ?' => $params));
Database::delete($table_user_course_vote, array('c_id = ? AND session_id = ? AND url_id = ?' => $params));
}
}
/**
* Returns an array with the hottest courses
* @param int $days number of days
* @param int $limit number of hottest courses
* @return array
*/
public static function return_hot_courses($days = 30, $limit = 6)
{
if (api_is_invitee()) {
return array();
}
$limit = intval($limit);
// Getting my courses
$my_course_list = self::get_courses_list_by_user_id(api_get_user_id());
$my_course_code_list = array();
foreach ($my_course_list as $course) {
$my_course_code_list[$course['real_id']] = $course['real_id'];
}
if (api_is_drh()) {
$courses = self::get_courses_followed_by_drh(api_get_user_id());
foreach ($courses as $course) {
$my_course_code_list[$course['real_id']] = $course['real_id'];
}
}
$table_course_access = Database::get_main_table(TABLE_STATISTIC_TRACK_E_COURSE_ACCESS);
$table_course = Database::get_main_table(TABLE_MAIN_COURSE);
$table_course_url = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE);
//$table_course_access table uses the now() and interval ...
$now = api_get_utc_datetime(time());
$sql = "SELECT COUNT(course_access_id) course_count, a.c_id, visibility
FROM $table_course c
INNER JOIN $table_course_access a
ON (c.id = a.c_id)
INNER JOIN $table_course_url u
ON u.c_id = c.id
WHERE
u.access_url_id = ".api_get_current_access_url_id()." AND
login_course_date <= '$now' AND
login_course_date > DATE_SUB('$now', INTERVAL $days DAY) AND
visibility <> '".COURSE_VISIBILITY_CLOSED."' AND visibility <> '".COURSE_VISIBILITY_HIDDEN."'
GROUP BY a.c_id
ORDER BY course_count DESC
LIMIT $limit
";
$result = Database::query($sql);
$courses = array();
if (Database::num_rows($result)) {
$courses = Database::store_result($result, 'ASSOC');
$courses = self::process_hot_course_item($courses, $my_course_code_list);
}
return $courses;
}
/**
* @param array $courses
* @param array $my_course_code_list
* @return mixed
*/
public static function process_hot_course_item($courses, $my_course_code_list = array())
{
$hotCourses = [];
$ajax_url = api_get_path(WEB_AJAX_PATH).'course.ajax.php?a=add_course_vote';
$stok = Security::get_existing_token();
$user_id = api_get_user_id();
foreach ($courses as $courseId) {
$course_info = api_get_course_info_by_id($courseId['c_id']);
$courseCode = $course_info['code'];
$categoryCode = !empty($course_info['categoryCode']) ? $course_info['categoryCode'] : "";
$my_course = $course_info;
$my_course['go_to_course_button'] = '';
$my_course['register_button'] = '';
$access_link = self::get_access_link_by_user(
api_get_user_id(),
$course_info,
$my_course_code_list
);
$userRegisterdInCourse = self::is_user_subscribed_in_course($user_id, $course_info['code']);
$userRegisterdInCourseAsTeacher = self::is_course_teacher($user_id, $course_info['code']);
$userRegisterd = ($userRegisterdInCourse && $userRegisterdInCourseAsTeacher);
$my_course['is_registerd'] = $userRegisterd;
$my_course['title_cut'] = cut($course_info['title'], 45);
// if user registered as student
/* if ($userRegisterdInCourse) {
$icon = '';
$title = get_lang("AlreadyRegisteredToCourse");
$my_course['already_register_as'] = Display::tag(
'button',
$icon,
array(
'id' => 'register',
'class' => 'btn btn-default btn-sm',
'title' => $title,
'aria-label' => $title
)
);
} elseif ($userRegisterdInCourseAsTeacher) {
// if user registered as teacher
$icon = '';
$title = get_lang("YouAreATeacherOfThisCourse");
$my_course['already_register_as'] = Display::tag(
'button',
$icon,
array(
'id' => 'register',
'class' => 'btn btn-default btn-sm',
'title' => $title,
'aria-label' => $title
)
);
} */
//Course visibility
if ($access_link && in_array('register', $access_link)) {
$my_course['register_button'] = Display::url(
get_lang('Subscribe').' '.
Display::returnFontAwesomeIcon('sign-in'),
api_get_path(WEB_COURSE_PATH).$course_info['path'].
'/index.php?action=subscribe&sec_token='.$stok,
array(
'class' => 'btn btn-success btn-sm',
'title' => get_lang('Subscribe'),
'aria-label' => get_lang('Subscribe')
)
);
}
if ($access_link && in_array('enter', $access_link) ||
$course_info['visibility'] == COURSE_VISIBILITY_OPEN_WORLD
) {
$my_course['go_to_course_button'] = Display::url(
get_lang('GoToCourse').' '.
Display::returnFontAwesomeIcon('share'),
api_get_path(WEB_COURSE_PATH).$course_info['path'].'/index.php',
array(
'class' => 'btn btn-default btn-sm',
'title' => get_lang('GoToCourse'),
'aria-label' => get_lang('GoToCourse')
)
);
}
if ($access_link && in_array('unsubscribe', $access_link)) {
$my_course['unsubscribe_button'] = Display::url(
get_lang('Unreg').' '.
Display::returnFontAwesomeIcon('sign-out'),
api_get_path(WEB_CODE_PATH).'auth/courses.php?action=unsubscribe&unsubscribe='.$courseCode
. '&sec_token='.$stok.'&category_code='.$categoryCode,
array(
'class' => 'btn btn-danger btn-sm',
'title' => get_lang('Unreg'),
'aria-label' => get_lang('Unreg')
)
);
}
// start buycourse validation
// display the course price and buy button if the buycourses plugin is enabled and this course is configured
$plugin = BuyCoursesPlugin::create();
$isThisCourseInSale = $plugin->buyCoursesForGridCatalogValidator(
$course_info['real_id'],
BuyCoursesPlugin::PRODUCT_TYPE_COURSE
);
if ($isThisCourseInSale) {
// set the price label
$my_course['price'] = $isThisCourseInSale['html'];
// set the Buy button instead register.
if ($isThisCourseInSale['verificator'] && !empty($my_course['register_button'])) {
$my_course['register_button'] = $plugin->returnBuyCourseButton($course_info['real_id'], BuyCoursesPlugin::PRODUCT_TYPE_COURSE);
}
}
// end buycourse validation
//Description
$my_course['description_button'] = '';
$my_course['description_button'] = Display::url(
Display::returnFontAwesomeIcon('info-circle'),
api_get_path(WEB_AJAX_PATH).'course_home.ajax.php?a=show_course_information&code='.$course_info['code'],
[
'class' => 'btn btn-default btn-sm ajax',
'data-title' => get_lang('Description'),
'title' => get_lang('Description'),
'aria-label' => get_lang('Description')
]
);
$my_course['teachers'] = self::getTeachersFromCourse($course_info['real_id'], true);
$point_info = self::get_course_ranking($course_info['real_id'], 0);
$my_course['rating_html'] = '';
if (api_get_configuration_value('hide_course_rating') === false) {
$my_course['rating_html'] = Display::return_rating_system(
'star_'.$course_info['real_id'],
$ajax_url.'&course_id='.$course_info['real_id'],
$point_info
);
}
$hotCourses[] = $my_course;
}
return $hotCourses;
}
/**
* @param int $limit
* @return array
*/
public static function return_most_accessed_courses($limit = 5)
{
$table_course_ranking = Database::get_main_table(TABLE_STATISTIC_TRACK_COURSE_RANKING);
$params['url_id'] = api_get_current_access_url_id();
$result = Database::select(
'c_id, accesses, total_score, users',
$table_course_ranking,
array('where' => array('url_id = ?' => $params), 'order' => 'accesses DESC', 'limit' => $limit),
'all',
true
);
return $result;
}
/**
* Get courses count
* @param int Access URL ID (optional)
* @param int $visibility
* @param integer $access_url_id
*
* @return int Number of courses
*/
public static function count_courses($access_url_id = null, $visibility = null)
{
$table_course = Database::get_main_table(TABLE_MAIN_COURSE);
$table_course_rel_access_url = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE);
$sql = "SELECT count(c.id) FROM $table_course c";
if (!empty($access_url_id) && $access_url_id == intval($access_url_id)) {
$sql .= ", $table_course_rel_access_url u
WHERE c.id = u.c_id AND u.access_url_id = $access_url_id";
if (!empty($visibility)) {
$visibility = intval($visibility);
$sql .= " AND visibility = $visibility ";
}
} else {
if (!empty($visibility)) {
$visibility = intval($visibility);
$sql .= " WHERE visibility = $visibility ";
}
}
$res = Database::query($sql);
$row = Database::fetch_row($res);
return $row[0];
}
/**
* Get active courses count.
* Active = all courses except the ones with hidden visibility.
*
* @param int $urlId Access URL ID (optional)
* @return int Number of courses
*/
public static function countActiveCourses($urlId = null)
{
$table_course = Database::get_main_table(TABLE_MAIN_COURSE);
$table_course_rel_access_url = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE);
$sql = "SELECT count(id) FROM $table_course c";
if (!empty($urlId) && $urlId == intval($urlId)) {
$sql .= ", $table_course_rel_access_url u
WHERE
c.id = u.c_id AND
u.access_url_id = $urlId AND
visibility <> ".COURSE_VISIBILITY_HIDDEN;
} else {
$sql .= " WHERE visibility <> ".COURSE_VISIBILITY_HIDDEN;
}
$res = Database::query($sql);
$row = Database::fetch_row($res);
return $row[0];
}
/**
* Returns the SQL conditions to filter course only visible by the user in the catalogue
*
* @param string $courseTableAlias Alias of the course table
* @param bool $hideClosed Whether to hide closed and hidden courses
* @return string SQL conditions
*/
public static function getCourseVisibilitySQLCondition(
$courseTableAlias,
$hideClosed = false
) {
$visibilityCondition = '';
$hidePrivate = api_get_setting('course_catalog_hide_private');
if ($hidePrivate === 'true') {
$visibilityCondition .= ' AND '.$courseTableAlias.'.visibility <> '.COURSE_VISIBILITY_REGISTERED;
}
if ($hideClosed) {
$visibilityCondition .= ' AND '.$courseTableAlias.'.visibility NOT IN ('.COURSE_VISIBILITY_CLOSED.','.COURSE_VISIBILITY_HIDDEN.')';
}
// Check if course have users allowed to see it in the catalogue, then show only if current user is allowed to see it
$currentUserId = api_get_user_id();
$restrictedCourses = self::getCatalogueCourseList(true);
$allowedCoursesToCurrentUser = self::getCatalogueCourseList(true, $currentUserId);
if (!empty($restrictedCourses)) {
$visibilityCondition .= ' AND ('.$courseTableAlias.'.code NOT IN ("'.implode('","', $restrictedCourses).'")';
$visibilityCondition .= ' OR '.$courseTableAlias.'.code IN ("'.implode('","', $allowedCoursesToCurrentUser).'"))';
}
// Check if course have users denied to see it in the catalogue, then show only if current user is not denied to see it
$restrictedCourses = self::getCatalogueCourseList(false);
$notAllowedCoursesToCurrentUser = self::getCatalogueCourseList(false, $currentUserId);
if (!empty($restrictedCourses)) {
$visibilityCondition .= ' AND ('.$courseTableAlias.'.code NOT IN ("'.implode('","', $restrictedCourses).'")';
$visibilityCondition .= ' OR '.$courseTableAlias.'.code NOT IN ("'.implode('","', $notAllowedCoursesToCurrentUser).'"))';
}
return $visibilityCondition;
}
/**
* Get available le courses count
* @param int $accessUrlId (optional)
* @param integer $accessUrlId
* @return int Number of courses
*/
public static function countAvailableCourses($accessUrlId = 1)
{
$tableCourse = Database::get_main_table(TABLE_MAIN_COURSE);
$tableCourseRelAccessUrl = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE);
$specialCourseList = self::get_special_course_list();
$withoutSpecialCourses = '';
if (!empty($specialCourseList)) {
$withoutSpecialCourses = ' AND c.id NOT IN ("'.implode('","', $specialCourseList).'")';
}
$visibilityCondition = self::getCourseVisibilitySQLCondition('c', true);
$accessUrlId = (int) $accessUrlId;
if (empty($accessUrlId)) {
$accessUrlId = 1;
}
$sql = "SELECT count(c.id)
FROM $tableCourse c
INNER JOIN $tableCourseRelAccessUrl u
ON (c.id = u.c_id)
WHERE
u.access_url_id = $accessUrlId AND
c.visibility != 0 AND
c.visibility != 4
$withoutSpecialCourses
$visibilityCondition
";
$res = Database::query($sql);
$row = Database::fetch_row($res);
return $row[0];
}
/**
* Return a link to go to the course, validating the visibility of the
* course and the user status
* @param int User ID
* @param array Course details array
* @param array List of courses to which the user is subscribed (if not provided, will be generated)
* @param integer $uid
* @return mixed 'enter' for a link to go to the course or 'register' for a link to subscribe, or false if no access
*/
static function get_access_link_by_user($uid, $course, $user_courses = array())
{
if (empty($uid) or empty($course)) {
return false;
}
if (empty($user_courses)) {
// get the array of courses to which the user is subscribed
$user_courses = self::get_courses_list_by_user_id($uid);
foreach ($user_courses as $k => $v) {
$user_courses[$k] = $v['real_id'];
}
}
if (!isset($course['real_id']) && empty($course['real_id'])) {
$course = api_get_course_info($course['code']);
}
if ($course['visibility'] == COURSE_VISIBILITY_HIDDEN) {
return array();
}
$is_admin = api_is_platform_admin_by_id($uid);
$options = array();
// Register button
if (!api_is_anonymous($uid) &&
(
($course['visibility'] == COURSE_VISIBILITY_OPEN_WORLD || $course['visibility'] == COURSE_VISIBILITY_OPEN_PLATFORM)
//$course['visibility'] == COURSE_VISIBILITY_REGISTERED && $course['subscribe'] == SUBSCRIBE_ALLOWED
) &&
$course['subscribe'] == SUBSCRIBE_ALLOWED &&
(!in_array($course['real_id'], $user_courses) || empty($user_courses))
) {
$options[] = 'register';
}
// Go To Course button (only if admin, if course public or if student already subscribed)
if ($is_admin ||
$course['visibility'] == COURSE_VISIBILITY_OPEN_WORLD && empty($course['registration_code']) ||
(api_user_is_login($uid) && $course['visibility'] == COURSE_VISIBILITY_OPEN_PLATFORM && empty($course['registration_code'])) ||
(in_array($course['real_id'], $user_courses) && $course['visibility'] != COURSE_VISIBILITY_CLOSED)
) {
$options[] = 'enter';
}
if ($is_admin ||
$course['visibility'] == COURSE_VISIBILITY_OPEN_WORLD && empty($course['registration_code']) ||
(api_user_is_login($uid) && $course['visibility'] == COURSE_VISIBILITY_OPEN_PLATFORM && empty($course['registration_code'])) ||
(in_array($course['real_id'], $user_courses) && $course['visibility'] != COURSE_VISIBILITY_CLOSED)
) {
$options[] = 'enter';
}
if ($course['visibility'] != COURSE_VISIBILITY_HIDDEN &&
empty($course['registration_code']) &&
$course['unsubscribe'] == UNSUBSCRIBE_ALLOWED &&
api_user_is_login($uid) &&
in_array($course['real_id'], $user_courses)
) {
$options[] = 'unsubscribe';
}
return $options;
}
/**
* @param array $courseInfo
* @param array $teachers
* @param bool $deleteTeachersNotInList
* @param bool $editTeacherInSessions
* @param bool $deleteSessionTeacherNotInList
* @param array $teacherBackup
* @param Monolog\Logger $logger
*
* @return false|null
*/
public static function updateTeachers(
$courseInfo,
$teachers,
$deleteTeachersNotInList = true,
$editTeacherInSessions = false,
$deleteSessionTeacherNotInList = false,
$teacherBackup = array(),
$logger = null
) {
if (!is_array($teachers)) {
$teachers = array($teachers);
}
if (empty($courseInfo) || !isset($courseInfo['real_id'])) {
return false;
}
$teachers = array_filter($teachers);
$courseId = $courseInfo['real_id'];
$course_code = $courseInfo['code'];
$course_user_table = Database::get_main_table(TABLE_MAIN_COURSE_USER);
$alreadyAddedTeachers = self::get_teacher_list_from_course_code($course_code);
if ($deleteTeachersNotInList) {
// Delete only teacher relations that doesn't match the selected teachers
$cond = null;
if (count($teachers) > 0) {
foreach ($teachers as $key) {
$key = Database::escape_string($key);
$cond .= " AND user_id <> '".$key."'";
}
}
// Recover user categories
$sql = 'SELECT * FROM '.$course_user_table.'
WHERE c_id ="' . $courseId.'" AND status="1" AND relation_type = 0 '.$cond;
$result = Database::query($sql);
if (Database::num_rows($result)) {
$teachersToDelete = Database::store_result($result, 'ASSOC');
foreach ($teachersToDelete as $data) {
$userId = $data['user_id'];
$teacherBackup[$userId][$course_code] = $data;
}
}
$sql = 'DELETE FROM '.$course_user_table.'
WHERE c_id ="' . $courseId.'" AND status="1" AND relation_type = 0 '.$cond;
Database::query($sql);
}
if (count($teachers) > 0) {
foreach ($teachers as $userId) {
$userId = intval($userId);
// We check if the teacher is already subscribed in this course
$sql = 'SELECT 1 FROM '.$course_user_table.'
WHERE user_id = "' . $userId.'" AND c_id = "'.$courseId.'" ';
$result = Database::query($sql);
if (Database::num_rows($result)) {
$sql = 'UPDATE '.$course_user_table.'
SET status = "1"
WHERE c_id = "' . $courseId.'" AND user_id = "'.$userId.'" ';
} else {
$userCourseCategory = '0';
if (isset($teacherBackup[$userId]) &&
isset($teacherBackup[$userId][$course_code])
) {
$courseUserData = $teacherBackup[$userId][$course_code];
$userCourseCategory = $courseUserData['user_course_cat'];
if ($logger) {
$logger->addInfo("Recovering user_course_cat: $userCourseCategory");
}
}
$sql = "INSERT INTO $course_user_table SET
c_id = $courseId,
user_id = $userId,
status = '1',
is_tutor = '0',
sort = '0',
relation_type = '0',
user_course_cat = '$userCourseCategory'
";
}
Database::query($sql);
}
}
if ($editTeacherInSessions) {
$sessions = SessionManager::get_session_by_course($courseId);
if (!empty($sessions)) {
if ($logger) {
$logger->addInfo("Edit teachers in sessions");
}
foreach ($sessions as $session) {
$sessionId = $session['id'];
// Remove old and add new
if ($deleteSessionTeacherNotInList) {
foreach ($teachers as $userId) {
if ($logger) {
$logger->addInfo("Set coach #$userId in session #$sessionId of course #$courseId ");
}
SessionManager::set_coach_to_course_session(
$userId,
$sessionId,
$courseId
);
}
$teachersToDelete = array();
if (!empty($alreadyAddedTeachers)) {
$teachersToDelete = array_diff(array_keys($alreadyAddedTeachers), $teachers);
}
if (!empty($teachersToDelete)) {
foreach ($teachersToDelete as $userId) {
if ($logger) {
$logger->addInfo("Delete coach #$userId in session #$sessionId of course #$courseId ");
}
SessionManager::set_coach_to_course_session(
$userId,
$sessionId,
$courseId,
true
);
}
}
} else {
// Add new teachers only
foreach ($teachers as $userId) {
if ($logger) {
$logger->addInfo("Add coach #$userId in session #$sessionId of course #$courseId ");
}
SessionManager::set_coach_to_course_session(
$userId,
$sessionId,
$courseId
);
}
}
}
}
}
}
/**
* Course available settings variables see c_course_setting table
* @param AppPlugin $appPlugin
* @return array
*/
public static function getCourseSettingVariables(AppPlugin $appPlugin)
{
$pluginCourseSettings = $appPlugin->getAllPluginCourseSettings();
$courseSettings = array(
// Get allow_learning_path_theme from table
'allow_learning_path_theme',
// Get allow_open_chat_window from table
'allow_open_chat_window',
'allow_public_certificates',
// Get allow_user_edit_agenda from table
'allow_user_edit_agenda',
// Get allow_user_edit_announcement from table
'allow_user_edit_announcement',
// Get allow_user_image_forum from table
'allow_user_image_forum',
//Get allow show user list
'allow_user_view_user_list',
// Get course_theme from table
'course_theme',
//Get allow show user list
'display_info_advance_inside_homecourse',
'documents_default_visibility',
// Get send_mail_setting (work)from table
'email_alert_manager_on_new_doc',
// Get send_mail_setting (work)from table
'email_alert_manager_on_new_quiz',
// Get send_mail_setting (dropbox) from table
'email_alert_on_new_doc_dropbox',
'email_alert_students_on_new_homework',
// Get send_mail_setting (auth)from table
'email_alert_to_teacher_on_new_user_in_course',
'enable_lp_auto_launch',
'pdf_export_watermark_text',
'show_system_folders',
'exercise_invisible_in_session',
'enable_forum_auto_launch',
'show_course_in_user_language'
);
$allowLPReturnLink = api_get_setting('allow_lp_return_link');
if ($allowLPReturnLink === 'true') {
$courseSettings[] = 'lp_return_link';
}
if (!empty($pluginCourseSettings)) {
$courseSettings = array_merge(
$courseSettings,
$pluginCourseSettings
);
}
return $courseSettings;
}
/**
* @param AppPlugin $appPlugin
* @param string $variable
* @param string|array $value
* @param int $courseId
* @return bool
*/
public static function saveCourseConfigurationSetting(AppPlugin $appPlugin, $variable, $value, $courseId)
{
$settingList = self::getCourseSettingVariables($appPlugin);
if (!in_array($variable, $settingList)) {
return false;
}
$courseSettingTable = Database::get_course_table(TABLE_COURSE_SETTING);
if (is_array($value)) {
$value = implode(',', $value);
}
if (self::hasCourseSetting($variable, $courseId)) {
// Update
Database::update(
$courseSettingTable,
array('value' => $value),
array('variable = ? AND c_id = ?' => array($variable, $courseId))
);
} else {
// Create
Database::insert(
$courseSettingTable,
[
'title' => $variable,
'value' => $value,
'c_id' => $courseId,
'variable' => $variable,
]
);
}
return true;
}
/**
* Check if course setting exists
* @param string $variable
* @param int $courseId
* @return bool
*/
public static function hasCourseSetting($variable, $courseId)
{
$courseSetting = Database::get_course_table(TABLE_COURSE_SETTING);
$courseId = intval($courseId);
$variable = Database::escape_string($variable);
$sql = "SELECT variable FROM $courseSetting
WHERE c_id = $courseId AND variable = '$variable'";
$result = Database::query($sql);
return Database::num_rows($result) > 0;
}
/**
* Get information from the track_e_course_access table
* @param int $sessionId
* @param int $userId
* @param int $limit
* @return array
*/
public static function getCourseAccessPerSessionAndUser($sessionId, $userId, $limit = 0)
{
$table = Database::get_main_table(TABLE_STATISTIC_TRACK_E_COURSE_ACCESS);
$sessionId = intval($sessionId);
$userId = intval($userId);
$sql = "SELECT * FROM $table
WHERE session_id = $sessionId AND user_id = $userId";
if (!empty($limit)) {
$limit = intval($limit);
$sql .= " LIMIT $limit";
}
$result = Database::query($sql);
return Database::store_result($result);
}
/**
* Get information from the track_e_course_access table
* @param int $courseId
* @param int $sessionId
* @param string $startDate
* @param string $endDate
* @return array
*/
public static function getCourseAccessPerCourseAndSession(
$courseId,
$sessionId,
$startDate,
$endDate
) {
$table = Database::get_main_table(TABLE_STATISTIC_TRACK_E_COURSE_ACCESS);
$courseId = intval($courseId);
$sessionId = intval($sessionId);
$startDate = Database::escape_string($startDate);
$endDate = Database::escape_string($endDate);
$sql = "SELECT * FROM $table
WHERE
c_id = $courseId AND
session_id = $sessionId AND
login_course_date BETWEEN '$startDate' AND '$endDate'
";
$result = Database::query($sql);
return Database::store_result($result);
}
/**
* Get login information from the track_e_course_access table, for any
* course in the given session
* @param int $sessionId
* @param int $userId
* @return array
*/
public static function getFirstCourseAccessPerSessionAndUser($sessionId, $userId)
{
$sessionId = intval($sessionId);
$userId = intval($userId);
$table = Database::get_main_table(TABLE_STATISTIC_TRACK_E_COURSE_ACCESS);
$sql = "SELECT * FROM $table
WHERE session_id = $sessionId AND user_id = $userId
ORDER BY login_course_date ASC
LIMIT 1";
$result = Database::query($sql);
$courseAccess = array();
if (Database::num_rows($result)) {
$courseAccess = Database::fetch_array($result, 'ASSOC');
}
return $courseAccess;
}
/**
* @param int $courseId
* @param int $sessionId
* @param bool $getAllSessions
* @return mixed
*/
public static function getCountForum(
$courseId,
$sessionId = 0,
$getAllSessions = false
) {
$forum = Database::get_course_table(TABLE_FORUM);
if ($getAllSessions) {
$sql = "SELECT count(*) as count
FROM $forum f
WHERE f.c_id = %s";
} else {
$sql = "SELECT count(*) as count
FROM $forum f
WHERE f.c_id = %s and f.session_id = %s";
}
$sql = sprintf($sql, intval($courseId), intval($sessionId));
$result = Database::query($sql);
$row = Database::fetch_array($result);
return $row['count'];
}
/**
* @param int $userId
* @param int $courseId
* @param int $sessionId
* @return mixed
*/
public static function getCountPostInForumPerUser(
$userId,
$courseId,
$sessionId = 0
) {
$forum = Database::get_course_table(TABLE_FORUM);
$forum_post = Database::get_course_table(TABLE_FORUM_POST);
$sql = "SELECT count(distinct post_id) as count
FROM $forum_post p
INNER JOIN $forum f
ON f.forum_id = p.forum_id AND f.c_id = p.c_id
WHERE p.poster_id = %s and f.session_id = %s and p.c_id = %s";
$sql = sprintf(
$sql,
intval($userId),
intval($sessionId),
intval($courseId)
);
$result = Database::query($sql);
$row = Database::fetch_array($result);
return $row['count'];
}
/**
* @param int $userId
* @param int $courseId
* @param int $sessionId
* @return mixed
*/
public static function getCountForumPerUser(
$userId,
$courseId,
$sessionId = 0
) {
$forum = Database::get_course_table(TABLE_FORUM);
$forum_post = Database::get_course_table(TABLE_FORUM_POST);
$sql = "SELECT count(distinct f.forum_id) as count
FROM $forum_post p
INNER JOIN $forum f
ON f.forum_id = p.forum_id AND f.c_id = p.c_id
WHERE p.poster_id = %s and f.session_id = %s and p.c_id = %s";
$sql = sprintf(
$sql,
intval($userId),
intval($sessionId),
intval($courseId)
);
$result = Database::query($sql);
$row = Database::fetch_array($result);
return $row['count'];
}
/**
* Returns the course name from a given code
* @param string $code
*/
public static function getCourseNameFromCode($code)
{
$tbl_main_categories = Database::get_main_table(TABLE_MAIN_COURSE);
$sql = 'SELECT title
FROM ' . $tbl_main_categories.'
WHERE code = "' . Database::escape_string($code).'"';
$result = Database::query($sql);
if ($col = Database::fetch_array($result)) {
return $col['title'];
}
}
/**
* Generates a course code from a course title
* @todo Such a function might be useful in other places too. It might be moved in the CourseManager class.
* @todo the function might be upgraded for avoiding code duplications (currently, it might suggest a code that is already in use)
* @param string $title A course title
* @return string A proposed course code
* +
* @assert (null,null) === false
* @assert ('ABC_DEF', null) === 'ABCDEF'
* @assert ('ABC09*^[%A', null) === 'ABC09A'
*/
public static function generate_course_code($title)
{
return substr(
preg_replace('/[^A-Z0-9]/', '', strtoupper(api_replace_dangerous_char($title))),
0,
self::MAX_COURSE_LENGTH_CODE
);
}
/**
* @param $courseId
* @return array
*/
public static function getCourseSettings($courseId)
{
$settingTable = Database::get_course_table(TABLE_COURSE_SETTING);
$courseId = intval($courseId);
$sql = "SELECT * FROM $settingTable WHERE c_id = $courseId";
$result = Database::query($sql);
$settings = array();
if (Database::num_rows($result)) {
while ($row = Database::fetch_array($result, 'ASSOC')) {
$settings[$row['variable']] = $row;
}
}
return $settings;
}
/**
* this function gets all the users of the course,
* including users from linked courses
*/
public static function getCourseUsers()
{
//this would return only the users from real courses:
$session_id = api_get_session_id();
if ($session_id != 0) {
$user_list = self::get_real_and_linked_user_list(api_get_course_id(), true, $session_id);
} else {
$user_list = self::get_real_and_linked_user_list(api_get_course_id(), false, 0);
}
return $user_list;
}
/**
* this function gets all the groups of the course,
* not including linked courses
*/
public static function getCourseGroups()
{
$session_id = api_get_session_id();
if ($session_id != 0) {
$new_group_list = self::get_group_list_of_course(api_get_course_id(), $session_id, 1);
} else {
$new_group_list = self::get_group_list_of_course(api_get_course_id(), 0, 1);
}
return $new_group_list;
}
/**
* @param FormValidator $form
* @param array $to_already_selected
*
* @return HTML_QuickForm_element
*/
public static function addUserGroupMultiSelect(&$form, $to_already_selected)
{
$user_list = self::getCourseUsers();
$group_list = self::getCourseGroups();
$array = self::buildSelectOptions($group_list, $user_list, $to_already_selected);
$result = array();
foreach ($array as $content) {
$result[$content['value']] = $content['content'];
}
return $form->addElement(
'advmultiselect',
'users',
get_lang('Users'),
$result,
array('select_all_checkbox' => true)
);
}
/**
* This function separates the users from the groups
* users have a value USER:XXX (with XXX the groups id have a value
* GROUP:YYY (with YYY the group id)
* @param array $to Array of strings that define the type and id of each destination
* @return array Array of groups and users (each an array of IDs)
*/
public static function separateUsersGroups($to)
{
$groupList = array();
$userList = array();
foreach ($to as $to_item) {
if (!empty($to_item)) {
$parts = explode(':', $to_item);
$type = isset($parts[0]) ? $parts[0] : '';
$id = isset($parts[1]) ? $parts[1] : '';
switch ($type) {
case 'GROUP':
$groupList[] = intval($id);
break;
case 'USER':
$userList[] = intval($id);
break;
}
}
}
$send_to['groups'] = $groupList;
$send_to['users'] = $userList;
return $send_to;
}
/**
* Shows the form for sending a message to a specific group or user.
* @param FormValidator $form
* @param int $group_id id
* @param array $to
*/
public static function addGroupMultiSelect($form, $groupInfo, $to = array())
{
$group_users = GroupManager::get_subscribed_users($groupInfo);
$array = self::buildSelectOptions(null, $group_users, $to);
$result = array();
foreach ($array as $content) {
$result[$content['value']] = $content['content'];
}
return $form->addElement('advmultiselect', 'users', get_lang('Users'), $result);
}
/**
* this function shows the form for sending a message to a specific group or user.
* @param array $group_list
* @param array $user_list
* @param array $to_already_selected
* @return array
*/
public static function buildSelectOptions(
$group_list = array(),
$user_list = array(),
$to_already_selected = array()
) {
if (empty($to_already_selected)) {
$to_already_selected = array();
}
$result = array();
// adding the groups to the select form
if ($group_list) {
foreach ($group_list as $this_group) {
if (is_array($to_already_selected)) {
if (!in_array(
"GROUP:".$this_group['id'],
$to_already_selected
)
) { // $to_already_selected is the array containing the groups (and users) that are already selected
$user_label = ($this_group['userNb'] > 0) ? get_lang('Users') : get_lang('LowerCaseUser');
$user_disabled = ($this_group['userNb'] > 0) ? "" : "disabled=disabled";
$result[] = array(
'disabled' => $user_disabled,
'value' => "GROUP:".$this_group['id'],
'content' => "G: ".$this_group['name']." - ".$this_group['userNb']." ".$user_label
);
}
}
}
}
// adding the individual users to the select form
if ($user_list) {
foreach ($user_list as $user) {
if (is_array($to_already_selected)) {
if (!in_array(
"USER:".$user['user_id'],
$to_already_selected
)
) { // $to_already_selected is the array containing the users (and groups) that are already selected
$result[] = array(
'value' => "USER:".$user['user_id'],
'content' => api_get_person_name($user['firstname'], $user['lastname'])
);
}
}
}
}
return $result;
}
/**
* @return array a list (array) of all courses.
*/
public static function get_course_list()
{
$table = Database::get_main_table(TABLE_MAIN_COURSE);
return Database::store_result(Database::query("SELECT *, id as real_id FROM $table"));
}
/**
* Returns course code from a given gradebook category's id
* @param int Category ID
* @return string Course code
*/
public static function get_course_by_category($category_id)
{
$category_id = intval($category_id);
$info = Database::fetch_array(
Database::query('SELECT course_code FROM '.Database::get_main_table(TABLE_MAIN_GRADEBOOK_CATEGORY).'
WHERE id=' . $category_id), 'ASSOC'
);
return $info ? $info['course_code'] : false;
}
/**
* This function gets all the courses that are not in a session
* @param date Start date
* @param date End date
* @param bool $includeClosed Whether to include closed and hidden courses
* @return array Not-in-session courses
*/
public static function getCoursesWithoutSession($startDate = null, $endDate = null, $includeClosed = false)
{
$dateConditional = ($startDate && $endDate) ?
" WHERE session_id IN (SELECT id FROM ".Database::get_main_table(TABLE_MAIN_SESSION).
" WHERE access_start_date = '$startDate' AND access_end_date = '$endDate')" : null;
$visibility = ($includeClosed ? '' : 'visibility NOT IN (0, 4) AND ');
$sql = "SELECT id, code, title
FROM ".Database::get_main_table(TABLE_MAIN_COURSE)."
WHERE $visibility code NOT IN (
SELECT DISTINCT course_code
FROM ".Database::get_main_table(TABLE_MAIN_SESSION_COURSE).$dateConditional."
)
ORDER BY id";
$result = Database::query($sql);
$courses = array();
while ($row = Database::fetch_array($result)) {
$courses[] = $row;
}
return $courses;
}
/**
* Get list of courses based on users of a group for a group admin
* @param int $userId The user id
* @return array
*/
public static function getCoursesFollowedByGroupAdmin($userId)
{
$coursesList = [];
$courseTable = Database::get_main_table(TABLE_MAIN_COURSE);
$courseUserTable = Database::get_main_table(TABLE_MAIN_COURSE_USER);
$userGroup = new UserGroup();
$userIdList = $userGroup->getGroupUsersByUser($userId);
if (empty($userIdList)) {
return [];
}
$sql = "SELECT DISTINCT(c.id), c.title
FROM $courseTable c
INNER JOIN $courseUserTable cru ON c.id = cru.c_id
WHERE (
cru.user_id IN (".implode(', ', $userIdList).")
AND cru.relation_type = 0
)";
if (api_is_multiple_url_enabled()) {
$courseAccessUrlTable = Database::get_main_table(TABLE_MAIN_ACCESS_URL_REL_COURSE);
$accessUrlId = api_get_current_access_url_id();
if ($accessUrlId != -1) {
$sql = "SELECT DISTINCT(c.id), c.title
FROM $courseTable c
INNER JOIN $courseUserTable cru ON c.id = cru.c_id
INNER JOIN $courseAccessUrlTable crau ON c.id = crau.c_id
WHERE crau.access_url_id = $accessUrlId
AND (
cru.id_user IN (".implode(', ', $userIdList).") AND
cru.relation_type = 0
)";
}
}
$result = Database::query($sql);
while ($row = Database::fetch_assoc($result)) {
$coursesList[] = $row;
}
return $coursesList;
}
/**
* Direct course link see #5299
*
* You can send to your students an URL like this
* http://chamilodev.beeznest.com/main/auth/inscription.php?c=ABC&e=3
* Where "c" is the course code and "e" is the exercise Id, after a successful
* registration the user will be sent to the course or exercise
*
*/
public static function redirectToCourse($form_data)
{
$course_code_redirect = Session::read('course_redirect');
$_user = api_get_user_info();
$user_id = api_get_user_id();
if (!empty($course_code_redirect)) {
$course_info = api_get_course_info($course_code_redirect);
if (!empty($course_info)) {
if (in_array($course_info['visibility'],
array(COURSE_VISIBILITY_OPEN_PLATFORM, COURSE_VISIBILITY_OPEN_WORLD))
) {
if (self::is_user_subscribed_in_course($user_id, $course_info['code'])) {
$form_data['action'] = $course_info['course_public_url'];
$form_data['message'] = sprintf(get_lang('YouHaveBeenRegisteredToCourseX'), $course_info['title']);
$form_data['button'] = Display::button(
'next',
get_lang('GoToCourse', null, $_user['language']),
array('class' => 'btn btn-primary btn-large')
);
$exercise_redirect = intval(Session::read('exercise_redirect'));
// Specify the course id as the current context does not
// hold a global $_course array
$objExercise = new Exercise($course_info['real_id']);
$result = $objExercise->read($exercise_redirect);
if (!empty($exercise_redirect) && !empty($result)) {
$form_data['action'] = api_get_path(WEB_CODE_PATH).'exercise/overview.php?exerciseId='.$exercise_redirect.'&cidReq='.$course_info['code'];
$form_data['message'] .= '