Moodle 2.0.3 release
[moodle.git] / lib / datalib.php
blob45ced890fcaa220a00a857d9967722de93cadf8f
1 <?php
3 // This file is part of Moodle - http://moodle.org/
4 //
5 // Moodle is free software: you can redistribute it and/or modify
6 // it under the terms of the GNU General Public License as published by
7 // the Free Software Foundation, either version 3 of the License, or
8 // (at your option) any later version.
9 //
10 // Moodle is distributed in the hope that it will be useful,
11 // but WITHOUT ANY WARRANTY; without even the implied warranty of
12 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 // GNU General Public License for more details.
15 // You should have received a copy of the GNU General Public License
16 // along with Moodle. If not, see <http://www.gnu.org/licenses/>.
18 /**
19 * Library of functions for database manipulation.
21 * Other main libraries:
22 * - weblib.php - functions that produce web output
23 * - moodlelib.php - general-purpose Moodle functions
25 * @package core
26 * @subpackage lib
27 * @copyright 1999 onwards Martin Dougiamas {@link http://moodle.com}
28 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
31 defined('MOODLE_INTERNAL') || die();
33 /**
34 * The maximum courses in a category
35 * MAX_COURSES_IN_CATEGORY * MAX_COURSE_CATEGORIES must not be more than max integer!
37 define('MAX_COURSES_IN_CATEGORY', 10000);
39 /**
40 * The maximum number of course categories
41 * MAX_COURSES_IN_CATEGORY * MAX_COURSE_CATEGORIES must not be more than max integer!
43 define('MAX_COURSE_CATEGORIES', 10000);
45 /**
46 * Number of seconds to wait before updating lastaccess information in DB.
48 define('LASTACCESS_UPDATE_SECS', 60);
50 /**
51 * Returns $user object of the main admin user
52 * primary admin = admin with lowest role_assignment id among admins
54 * @static stdClass $mainadmin
55 * @return stdClass {@link $USER} record from DB, false if not found
57 function get_admin() {
58 static $mainadmin = null;
60 if (!isset($mainadmin)) {
61 if (! $admins = get_admins()) {
62 return false;
64 //TODO: add some admin setting for specifying of THE main admin
65 // for now return the first assigned admin
66 $mainadmin = reset($admins);
68 // we must clone this otherwise code outside can break the static var
69 return clone($mainadmin);
72 /**
73 * Returns list of all admins, using 1 DB query
75 * @return array
77 function get_admins() {
78 global $DB, $CFG;
80 if (empty($CFG->siteadmins)) { // Should not happen on an ordinary site
81 return array();
84 $sql = "SELECT u.*
85 FROM {user} u
86 WHERE u.deleted = 0 AND u.id IN ($CFG->siteadmins)";
88 return $DB->get_records_sql($sql);
91 /**
92 * Search through course users
94 * If $coursid specifies the site course then this function searches
95 * through all undeleted and confirmed users
97 * @global object
98 * @uses SITEID
99 * @uses SQL_PARAMS_NAMED
100 * @uses CONTEXT_COURSE
101 * @param int $courseid The course in question.
102 * @param int $groupid The group in question.
103 * @param string $searchtext The string to search for
104 * @param string $sort A field to sort by
105 * @param array $exceptions A list of IDs to ignore, eg 2,4,5,8,9,10
106 * @return array
108 function search_users($courseid, $groupid, $searchtext, $sort='', array $exceptions=null) {
109 global $DB;
111 $fullname = $DB->sql_fullname('u.firstname', 'u.lastname');
113 if (!empty($exceptions)) {
114 list($exceptions, $params) = $DB->get_in_or_equal($exceptions, SQL_PARAMS_NAMED, 'ex', false);
115 $except = "AND u.id $exceptions";
116 } else {
117 $except = "";
118 $params = array();
121 if (!empty($sort)) {
122 $order = "ORDER BY $sort";
123 } else {
124 $order = "";
127 $select = "u.deleted = 0 AND u.confirmed = 1 AND (".$DB->sql_like($fullname, ':search1', false)." OR ".$DB->sql_like('u.email', ':search2', false).")";
128 $params['search1'] = "%$searchtext%";
129 $params['search2'] = "%$searchtext%";
131 if (!$courseid or $courseid == SITEID) {
132 $sql = "SELECT u.id, u.firstname, u.lastname, u.email
133 FROM {user} u
134 WHERE $select
135 $except
136 $order";
137 return $DB->get_records_sql($sql, $params);
139 } else {
140 if ($groupid) {
141 $sql = "SELECT u.id, u.firstname, u.lastname, u.email
142 FROM {user} u
143 JOIN {groups_members} gm ON gm.userid = u.id
144 WHERE $select AND gm.groupid = :groupid
145 $except
146 $order";
147 $params['groupid'] = $groupid;
148 return $DB->get_records_sql($sql, $params);
150 } else {
151 $context = get_context_instance(CONTEXT_COURSE, $courseid);
152 $contextlists = get_related_contexts_string($context);
154 $sql = "SELECT u.id, u.firstname, u.lastname, u.email
155 FROM {user} u
156 JOIN {role_assignments} ra ON ra.userid = u.id
157 WHERE $select AND ra.contextid $contextlists
158 $except
159 $order";
160 return $DB->get_records_sql($sql, $params);
166 * Returns a subset of users
168 * @global object
169 * @uses DEBUG_DEVELOPER
170 * @uses SQL_PARAMS_NAMED
171 * @param bool $get If false then only a count of the records is returned
172 * @param string $search A simple string to search for
173 * @param bool $confirmed A switch to allow/disallow unconfirmed users
174 * @param array $exceptions A list of IDs to ignore, eg 2,4,5,8,9,10
175 * @param string $sort A SQL snippet for the sorting criteria to use
176 * @param string $firstinitial Users whose first name starts with $firstinitial
177 * @param string $lastinitial Users whose last name starts with $lastinitial
178 * @param string $page The page or records to return
179 * @param string $recordsperpage The number of records to return per page
180 * @param string $fields A comma separated list of fields to be returned from the chosen table.
181 * @return array|int|bool {@link $USER} records unless get is false in which case the integer count of the records found is returned.
182 * False is returned if an error is encountered.
184 function get_users($get=true, $search='', $confirmed=false, array $exceptions=null, $sort='firstname ASC',
185 $firstinitial='', $lastinitial='', $page='', $recordsperpage='', $fields='*', $extraselect='', array $extraparams=null) {
186 global $DB, $CFG;
188 if ($get && !$recordsperpage) {
189 debugging('Call to get_users with $get = true no $recordsperpage limit. ' .
190 'On large installations, this will probably cause an out of memory error. ' .
191 'Please think again and change your code so that it does not try to ' .
192 'load so much data into memory.', DEBUG_DEVELOPER);
195 $fullname = $DB->sql_fullname();
197 $select = " id <> :guestid AND deleted = 0";
198 $params = array('guestid'=>$CFG->siteguest);
200 if (!empty($search)){
201 $search = trim($search);
202 $select .= " AND (".$DB->sql_like($fullname, ':search1', false)." OR ".$DB->sql_like('email', ':search2', false)." OR username = :search3)";
203 $params['search1'] = "%$search%";
204 $params['search2'] = "%$search%";
205 $params['search3'] = "$search";
208 if ($confirmed) {
209 $select .= " AND confirmed = 1";
212 if ($exceptions) {
213 list($exceptions, $eparams) = $DB->get_in_or_equal($exceptions, SQL_PARAMS_NAMED, 'ex', false);
214 $params = $params + $eparams;
215 $except = " AND id $exceptions";
218 if ($firstinitial) {
219 $select .= " AND ".$DB->sql_like('firstname', ':fni', false, false);
220 $params['fni'] = "$firstinitial%";
222 if ($lastinitial) {
223 $select .= " AND ".$DB->sql_like('lastname', ':lni', false, false);
224 $params['lni'] = "$lastinitial%";
227 if ($extraselect) {
228 $select .= " AND $extraselect";
229 $params = $params + (array)$extraparams;
232 if ($get) {
233 return $DB->get_records_select('user', $select, $params, $sort, $fields, $page, $recordsperpage);
234 } else {
235 return $DB->count_records_select('user', $select, $params);
241 * @todo Finish documenting this function
243 * @param string $sort An SQL field to sort by
244 * @param string $dir The sort direction ASC|DESC
245 * @param int $page The page or records to return
246 * @param int $recordsperpage The number of records to return per page
247 * @param string $search A simple string to search for
248 * @param string $firstinitial Users whose first name starts with $firstinitial
249 * @param string $lastinitial Users whose last name starts with $lastinitial
250 * @param string $extraselect An additional SQL select statement to append to the query
251 * @param array $extraparams Additional parameters to use for the above $extraselect
252 * @return array Array of {@link $USER} records
255 function get_users_listing($sort='lastaccess', $dir='ASC', $page=0, $recordsperpage=0,
256 $search='', $firstinitial='', $lastinitial='', $extraselect='', array $extraparams=null) {
257 global $DB;
259 $fullname = $DB->sql_fullname();
261 $select = "deleted <> 1";
262 $params = array();
264 if (!empty($search)) {
265 $search = trim($search);
266 $select .= " AND (". $DB->sql_like($fullname, ':search1', false, false).
267 " OR ". $DB->sql_like('email', ':search2', false, false).
268 " OR username = :search3)";
269 $params['search1'] = "%$search%";
270 $params['search2'] = "%$search%";
271 $params['search3'] = "$search";
274 if ($firstinitial) {
275 $select .= " AND ". $DB->sql_like('firstname', ':fni', false, false);
276 $params['fni'] = "$firstinitial%";
278 if ($lastinitial) {
279 $select .= " AND ". $DB->sql_like('lastname', ':lni', false, false);
280 $params['lni'] = "$lastinitial%";
283 if ($extraselect) {
284 $select .= " AND $extraselect";
285 $params = $params + (array)$extraparams;
288 if ($sort) {
289 $sort = " ORDER BY $sort $dir";
292 /// warning: will return UNCONFIRMED USERS
293 return $DB->get_records_sql("SELECT id, username, email, firstname, lastname, city, country, lastaccess, confirmed, mnethostid
294 FROM {user}
295 WHERE $select
296 $sort", $params, $page, $recordsperpage);
302 * Full list of users that have confirmed their accounts.
304 * @global object
305 * @return array of unconfirmed users
307 function get_users_confirmed() {
308 global $DB, $CFG;
309 return $DB->get_records_sql("SELECT *
310 FROM {user}
311 WHERE confirmed = 1 AND deleted = 0 AND id <> ?", array($CFG->siteguest));
315 /// OTHER SITE AND COURSE FUNCTIONS /////////////////////////////////////////////
319 * Returns $course object of the top-level site.
321 * @return object A {@link $COURSE} object for the site, exception if not found
323 function get_site() {
324 global $SITE, $DB;
326 if (!empty($SITE->id)) { // We already have a global to use, so return that
327 return $SITE;
330 if ($course = $DB->get_record('course', array('category'=>0))) {
331 return $course;
332 } else {
333 // course table exists, but the site is not there,
334 // unfortunately there is no automatic way to recover
335 throw new moodle_exception('nosite', 'error');
340 * Returns list of courses, for whole site, or category
342 * Returns list of courses, for whole site, or category
343 * Important: Using c.* for fields is extremely expensive because
344 * we are using distinct. You almost _NEVER_ need all the fields
345 * in such a large SELECT
347 * @global object
348 * @global object
349 * @global object
350 * @uses CONTEXT_COURSE
351 * @param string|int $categoryid Either a category id or 'all' for everything
352 * @param string $sort A field and direction to sort by
353 * @param string $fields The additional fields to return
354 * @return array Array of courses
356 function get_courses($categoryid="all", $sort="c.sortorder ASC", $fields="c.*") {
358 global $USER, $CFG, $DB;
360 $params = array();
362 if ($categoryid !== "all" && is_numeric($categoryid)) {
363 $categoryselect = "WHERE c.category = :catid";
364 $params['catid'] = $categoryid;
365 } else {
366 $categoryselect = "";
369 if (empty($sort)) {
370 $sortstatement = "";
371 } else {
372 $sortstatement = "ORDER BY $sort";
375 $visiblecourses = array();
377 list($ccselect, $ccjoin) = context_instance_preload_sql('c.id', CONTEXT_COURSE, 'ctx');
379 $sql = "SELECT $fields $ccselect
380 FROM {course} c
381 $ccjoin
382 $categoryselect
383 $sortstatement";
385 // pull out all course matching the cat
386 if ($courses = $DB->get_records_sql($sql, $params)) {
388 // loop throught them
389 foreach ($courses as $course) {
390 context_instance_preload($course);
391 if (isset($course->visible) && $course->visible <= 0) {
392 // for hidden courses, require visibility check
393 if (has_capability('moodle/course:viewhiddencourses', get_context_instance(CONTEXT_COURSE, $course->id))) {
394 $visiblecourses [$course->id] = $course;
396 } else {
397 $visiblecourses [$course->id] = $course;
401 return $visiblecourses;
406 * Returns list of courses, for whole site, or category
408 * Similar to get_courses, but allows paging
409 * Important: Using c.* for fields is extremely expensive because
410 * we are using distinct. You almost _NEVER_ need all the fields
411 * in such a large SELECT
413 * @global object
414 * @global object
415 * @global object
416 * @uses CONTEXT_COURSE
417 * @param string|int $categoryid Either a category id or 'all' for everything
418 * @param string $sort A field and direction to sort by
419 * @param string $fields The additional fields to return
420 * @param int $totalcount Reference for the number of courses
421 * @param string $limitfrom The course to start from
422 * @param string $limitnum The number of courses to limit to
423 * @return array Array of courses
425 function get_courses_page($categoryid="all", $sort="c.sortorder ASC", $fields="c.*",
426 &$totalcount, $limitfrom="", $limitnum="") {
427 global $USER, $CFG, $DB;
429 $params = array();
431 $categoryselect = "";
432 if ($categoryid != "all" && is_numeric($categoryid)) {
433 $categoryselect = "WHERE c.category = :catid";
434 $params['catid'] = $categoryid;
435 } else {
436 $categoryselect = "";
439 list($ccselect, $ccjoin) = context_instance_preload_sql('c.id', CONTEXT_COURSE, 'ctx');
441 $totalcount = 0;
442 if (!$limitfrom) {
443 $limitfrom = 0;
445 $visiblecourses = array();
447 $sql = "SELECT $fields $ccselect
448 FROM {course} c
449 $ccjoin
450 $categoryselect
451 ORDER BY $sort";
453 // pull out all course matching the cat
454 $rs = $DB->get_recordset_sql($sql, $params);
455 // iteration will have to be done inside loop to keep track of the limitfrom and limitnum
456 foreach($rs as $course) {
457 context_instance_preload($course);
458 if ($course->visible <= 0) {
459 // for hidden courses, require visibility check
460 if (has_capability('moodle/course:viewhiddencourses', get_context_instance(CONTEXT_COURSE, $course->id))) {
461 $totalcount++;
462 if ($totalcount > $limitfrom && (!$limitnum or count($visiblecourses) < $limitnum)) {
463 $visiblecourses [$course->id] = $course;
466 } else {
467 $totalcount++;
468 if ($totalcount > $limitfrom && (!$limitnum or count($visiblecourses) < $limitnum)) {
469 $visiblecourses [$course->id] = $course;
473 $rs->close();
474 return $visiblecourses;
478 * Retrieve course records with the course managers and other related records
479 * that we need for print_course(). This allows print_courses() to do its job
480 * in a constant number of DB queries, regardless of the number of courses,
481 * role assignments, etc.
483 * The returned array is indexed on c.id, and each course will have
484 * - $course->managers - array containing RA objects that include a $user obj
485 * with the minimal fields needed for fullname()
487 * @global object
488 * @global object
489 * @global object
490 * @uses CONTEXT_COURSE
491 * @uses CONTEXT_SYSTEM
492 * @uses CONTEXT_COURSECAT
493 * @uses SITEID
494 * @param int|string $categoryid Either the categoryid for the courses or 'all'
495 * @param string $sort A SQL sort field and direction
496 * @param array $fields An array of additional fields to fetch
497 * @return array
499 function get_courses_wmanagers($categoryid=0, $sort="c.sortorder ASC", $fields=array()) {
501 * The plan is to
503 * - Grab the courses JOINed w/context
505 * - Grab the interesting course-manager RAs
506 * JOINed with a base user obj and add them to each course
508 * So as to do all the work in 2 DB queries. The RA+user JOIN
509 * ends up being pretty expensive if it happens over _all_
510 * courses on a large site. (Are we surprised!?)
512 * So this should _never_ get called with 'all' on a large site.
515 global $USER, $CFG, $DB;
517 $params = array();
518 $allcats = false; // bool flag
519 if ($categoryid === 'all') {
520 $categoryclause = '';
521 $allcats = true;
522 } elseif (is_numeric($categoryid)) {
523 $categoryclause = "c.category = :catid";
524 $params['catid'] = $categoryid;
525 } else {
526 debugging("Could not recognise categoryid = $categoryid");
527 $categoryclause = '';
530 $basefields = array('id', 'category', 'sortorder',
531 'shortname', 'fullname', 'idnumber',
532 'startdate', 'visible',
533 'newsitems', 'groupmode', 'groupmodeforce');
535 if (!is_null($fields) && is_string($fields)) {
536 if (empty($fields)) {
537 $fields = $basefields;
538 } else {
539 // turn the fields from a string to an array that
540 // get_user_courses_bycap() will like...
541 $fields = explode(',',$fields);
542 $fields = array_map('trim', $fields);
543 $fields = array_unique(array_merge($basefields, $fields));
545 } elseif (is_array($fields)) {
546 $fields = array_merge($basefields,$fields);
548 $coursefields = 'c.' .join(',c.', $fields);
550 if (empty($sort)) {
551 $sortstatement = "";
552 } else {
553 $sortstatement = "ORDER BY $sort";
556 $where = 'WHERE c.id != ' . SITEID;
557 if ($categoryclause !== ''){
558 $where = "$where AND $categoryclause";
561 // pull out all courses matching the cat
562 list($ccselect, $ccjoin) = context_instance_preload_sql('c.id', CONTEXT_COURSE, 'ctx');
563 $sql = "SELECT $coursefields $ccselect
564 FROM {course} c
565 $ccjoin
566 $where
567 $sortstatement";
569 $catpaths = array();
570 $catpath = NULL;
571 if ($courses = $DB->get_records_sql($sql, $params)) {
572 // loop on courses materialising
573 // the context, and prepping data to fetch the
574 // managers efficiently later...
575 foreach ($courses as $k => $course) {
576 context_instance_preload($course);
577 $coursecontext = get_context_instance(CONTEXT_COURSE, $course->id);
578 $courses[$k] = $course;
579 $courses[$k]->managers = array();
580 if ($allcats === false) {
581 // single cat, so take just the first one...
582 if ($catpath === NULL) {
583 $catpath = preg_replace(':/\d+$:', '', $coursecontext->path);
585 } else {
586 // chop off the contextid of the course itself
587 // like dirname() does...
588 $catpaths[] = preg_replace(':/\d+$:', '', $coursecontext->path);
591 } else {
592 return array(); // no courses!
595 $CFG->coursecontact = trim($CFG->coursecontact);
596 if (empty($CFG->coursecontact)) {
597 return $courses;
600 $managerroles = explode(',', $CFG->coursecontact);
601 $catctxids = '';
602 if (count($managerroles)) {
603 if ($allcats === true) {
604 $catpaths = array_unique($catpaths);
605 $ctxids = array();
606 foreach ($catpaths as $cpath) {
607 $ctxids = array_merge($ctxids, explode('/',substr($cpath,1)));
609 $ctxids = array_unique($ctxids);
610 $catctxids = implode( ',' , $ctxids);
611 unset($catpaths);
612 unset($cpath);
613 } else {
614 // take the ctx path from the first course
615 // as all categories will be the same...
616 $catpath = substr($catpath,1);
617 $catpath = preg_replace(':/\d+$:','',$catpath);
618 $catctxids = str_replace('/',',',$catpath);
620 if ($categoryclause !== '') {
621 $categoryclause = "AND $categoryclause";
624 * Note: Here we use a LEFT OUTER JOIN that can
625 * "optionally" match to avoid passing a ton of context
626 * ids in an IN() clause. Perhaps a subselect is faster.
628 * In any case, this SQL is not-so-nice over large sets of
629 * courses with no $categoryclause.
632 $sql = "SELECT ctx.path, ctx.instanceid, ctx.contextlevel,
633 r.id AS roleid, r.name as rolename,
634 u.id AS userid, u.firstname, u.lastname
635 FROM {role_assignments} ra
636 JOIN {context} ctx ON ra.contextid = ctx.id
637 JOIN {user} u ON ra.userid = u.id
638 JOIN {role} r ON ra.roleid = r.id
639 LEFT OUTER JOIN {course} c
640 ON (ctx.instanceid=c.id AND ctx.contextlevel=".CONTEXT_COURSE.")
641 WHERE ( c.id IS NOT NULL";
642 // under certain conditions, $catctxids is NULL
643 if($catctxids == NULL){
644 $sql .= ") ";
645 }else{
646 $sql .= " OR ra.contextid IN ($catctxids) )";
649 $sql .= "AND ra.roleid IN ({$CFG->coursecontact})
650 $categoryclause
651 ORDER BY r.sortorder ASC, ctx.contextlevel ASC, ra.sortorder ASC";
652 $rs = $DB->get_recordset_sql($sql, $params);
654 // This loop is fairly stupid as it stands - might get better
655 // results doing an initial pass clustering RAs by path.
656 foreach($rs as $ra) {
657 $user = new stdClass;
658 $user->id = $ra->userid; unset($ra->userid);
659 $user->firstname = $ra->firstname; unset($ra->firstname);
660 $user->lastname = $ra->lastname; unset($ra->lastname);
661 $ra->user = $user;
662 if ($ra->contextlevel == CONTEXT_SYSTEM) {
663 foreach ($courses as $k => $course) {
664 $courses[$k]->managers[] = $ra;
666 } else if ($ra->contextlevel == CONTEXT_COURSECAT) {
667 if ($allcats === false) {
668 // It always applies
669 foreach ($courses as $k => $course) {
670 $courses[$k]->managers[] = $ra;
672 } else {
673 foreach ($courses as $k => $course) {
674 $coursecontext = get_context_instance(CONTEXT_COURSE, $course->id);
675 // Note that strpos() returns 0 as "matched at pos 0"
676 if (strpos($coursecontext->path, $ra->path.'/') === 0) {
677 // Only add it to subpaths
678 $courses[$k]->managers[] = $ra;
682 } else { // course-level
683 if (!array_key_exists($ra->instanceid, $courses)) {
684 //this course is not in a list, probably a frontpage course
685 continue;
687 $courses[$ra->instanceid]->managers[] = $ra;
690 $rs->close();
693 return $courses;
697 * A list of courses that match a search
699 * @global object
700 * @global object
701 * @param array $searchterms An array of search criteria
702 * @param string $sort A field and direction to sort by
703 * @param int $page The page number to get
704 * @param int $recordsperpage The number of records per page
705 * @param int $totalcount Passed in by reference.
706 * @return object {@link $COURSE} records
708 function get_courses_search($searchterms, $sort='fullname ASC', $page=0, $recordsperpage=50, &$totalcount) {
709 global $CFG, $DB;
711 if ($DB->sql_regex_supported()) {
712 $REGEXP = $DB->sql_regex(true);
713 $NOTREGEXP = $DB->sql_regex(false);
716 $searchcond = array();
717 $params = array();
718 $i = 0;
720 $concat = $DB->sql_concat('c.summary', "' '", 'c.fullname');
722 foreach ($searchterms as $searchterm) {
723 $i++;
725 $NOT = false; /// Initially we aren't going to perform NOT LIKE searches, only MSSQL and Oracle
726 /// will use it to simulate the "-" operator with LIKE clause
728 /// Under Oracle and MSSQL, trim the + and - operators and perform
729 /// simpler LIKE (or NOT LIKE) queries
730 if (!$DB->sql_regex_supported()) {
731 if (substr($searchterm, 0, 1) == '-') {
732 $NOT = true;
734 $searchterm = trim($searchterm, '+-');
737 // TODO: +- may not work for non latin languages
739 if (substr($searchterm,0,1) == '+') {
740 $searchterm = trim($searchterm, '+-');
741 $searchterm = preg_quote($searchterm, '|');
742 $searchcond[] = "$concat $REGEXP :ss$i";
743 $params['ss'.$i] = "(^|[^a-zA-Z0-9])$searchterm([^a-zA-Z0-9]|$)";
745 } else if (substr($searchterm,0,1) == "-") {
746 $searchterm = trim($searchterm, '+-');
747 $searchterm = preg_quote($searchterm, '|');
748 $searchcond[] = "$concat $NOTREGEXP :ss$i";
749 $params['ss'.$i] = "(^|[^a-zA-Z0-9])$searchterm([^a-zA-Z0-9]|$)";
751 } else {
752 $searchcond[] = $DB->sql_like($concat,":ss$i", false, true, $NOT);
753 $params['ss'.$i] = "%$searchterm%";
757 if (empty($searchcond)) {
758 $totalcount = 0;
759 return array();
762 $searchcond = implode(" AND ", $searchcond);
764 $courses = array();
765 $c = 0; // counts how many visible courses we've seen
767 // Tiki pagination
768 $limitfrom = $page * $recordsperpage;
769 $limitto = $limitfrom + $recordsperpage;
771 list($ccselect, $ccjoin) = context_instance_preload_sql('c.id', CONTEXT_COURSE, 'ctx');
772 $sql = "SELECT c.* $ccselect
773 FROM {course} c
774 $ccjoin
775 WHERE $searchcond AND c.id <> ".SITEID."
776 ORDER BY $sort";
778 $rs = $DB->get_recordset_sql($sql, $params);
779 foreach($rs as $course) {
780 context_instance_preload($course);
781 $coursecontext = get_context_instance(CONTEXT_COURSE, $course->id);
782 if ($course->visible || has_capability('moodle/course:viewhiddencourses', $coursecontext)) {
783 // Don't exit this loop till the end
784 // we need to count all the visible courses
785 // to update $totalcount
786 if ($c >= $limitfrom && $c < $limitto) {
787 $courses[$course->id] = $course;
789 $c++;
792 $rs->close();
794 // our caller expects 2 bits of data - our return
795 // array, and an updated $totalcount
796 $totalcount = $c;
797 return $courses;
802 * Returns a sorted list of categories. Each category object has a context
803 * property that is a context object.
805 * When asking for $parent='none' it will return all the categories, regardless
806 * of depth. Wheen asking for a specific parent, the default is to return
807 * a "shallow" resultset. Pass false to $shallow and it will return all
808 * the child categories as well.
810 * @global object
811 * @uses CONTEXT_COURSECAT
812 * @param string $parent The parent category if any
813 * @param string $sort the sortorder
814 * @param bool $shallow - set to false to get the children too
815 * @return array of categories
817 function get_categories($parent='none', $sort=NULL, $shallow=true) {
818 global $DB;
820 if ($sort === NULL) {
821 $sort = 'ORDER BY cc.sortorder ASC';
822 } elseif ($sort ==='') {
823 // leave it as empty
824 } else {
825 $sort = "ORDER BY $sort";
828 list($ccselect, $ccjoin) = context_instance_preload_sql('cc.id', CONTEXT_COURSECAT, 'ctx');
830 if ($parent === 'none') {
831 $sql = "SELECT cc.* $ccselect
832 FROM {course_categories} cc
833 $ccjoin
834 $sort";
835 $params = array();
837 } elseif ($shallow) {
838 $sql = "SELECT cc.* $ccselect
839 FROM {course_categories} cc
840 $ccjoin
841 WHERE cc.parent=?
842 $sort";
843 $params = array($parent);
845 } else {
846 $sql = "SELECT cc.* $ccselect
847 FROM {course_categories} cc
848 $ccjoin
849 JOIN {course_categories} ccp
850 ON (cc.path LIKE ".$DB->sql_concat('ccp.path',"'%'").")
851 WHERE ccp.id=?
852 $sort";
853 $params = array($parent);
855 $categories = array();
857 $rs = $DB->get_recordset_sql($sql, $params);
858 foreach($rs as $cat) {
859 context_instance_preload($cat);
860 $catcontext = get_context_instance(CONTEXT_COURSECAT, $cat->id);
861 if ($cat->visible || has_capability('moodle/category:viewhiddencategories', $catcontext)) {
862 $categories[$cat->id] = $cat;
865 $rs->close();
866 return $categories;
871 * Returns an array of category ids of all the subcategories for a given
872 * category.
874 * @global object
875 * @param int $catid - The id of the category whose subcategories we want to find.
876 * @return array of category ids.
878 function get_all_subcategories($catid) {
879 global $DB;
881 $subcats = array();
883 if ($categories = $DB->get_records('course_categories', array('parent'=>$catid))) {
884 foreach ($categories as $cat) {
885 array_push($subcats, $cat->id);
886 $subcats = array_merge($subcats, get_all_subcategories($cat->id));
889 return $subcats;
893 * Return specified category, default if given does not exist
895 * @global object
896 * @uses MAX_COURSES_IN_CATEGORY
897 * @uses CONTEXT_COURSECAT
898 * @uses SYSCONTEXTID
899 * @param int $catid course category id
900 * @return object caregory
902 function get_course_category($catid=0) {
903 global $DB;
905 $category = false;
907 if (!empty($catid)) {
908 $category = $DB->get_record('course_categories', array('id'=>$catid));
911 if (!$category) {
912 // the first category is considered default for now
913 if ($category = $DB->get_records('course_categories', null, 'sortorder', '*', 0, 1)) {
914 $category = reset($category);
916 } else {
917 $cat = new stdClass();
918 $cat->name = get_string('miscellaneous');
919 $cat->depth = 1;
920 $cat->sortorder = MAX_COURSES_IN_CATEGORY;
921 $cat->timemodified = time();
922 $catid = $DB->insert_record('course_categories', $cat);
923 // make sure category context exists
924 get_context_instance(CONTEXT_COURSECAT, $catid);
925 mark_context_dirty('/'.SYSCONTEXTID);
926 fix_course_sortorder(); // Required to build course_categories.depth and .path.
927 $category = $DB->get_record('course_categories', array('id'=>$catid));
931 return $category;
935 * Fixes course category and course sortorder, also verifies category and course parents and paths.
936 * (circular references are not fixed)
938 * @global object
939 * @global object
940 * @uses MAX_COURSES_IN_CATEGORY
941 * @uses MAX_COURSE_CATEGORIES
942 * @uses SITEID
943 * @uses CONTEXT_COURSE
944 * @return void
946 function fix_course_sortorder() {
947 global $DB, $SITE;
949 //WARNING: this is PHP5 only code!
951 if ($unsorted = $DB->get_records('course_categories', array('sortorder'=>0))) {
952 //move all categories that are not sorted yet to the end
953 $DB->set_field('course_categories', 'sortorder', MAX_COURSES_IN_CATEGORY*MAX_COURSE_CATEGORIES, array('sortorder'=>0));
956 $allcats = $DB->get_records('course_categories', null, 'sortorder, id', 'id, sortorder, parent, depth, path');
957 $topcats = array();
958 $brokencats = array();
959 foreach ($allcats as $cat) {
960 $sortorder = (int)$cat->sortorder;
961 if (!$cat->parent) {
962 while(isset($topcats[$sortorder])) {
963 $sortorder++;
965 $topcats[$sortorder] = $cat;
966 continue;
968 if (!isset($allcats[$cat->parent])) {
969 $brokencats[] = $cat;
970 continue;
972 if (!isset($allcats[$cat->parent]->children)) {
973 $allcats[$cat->parent]->children = array();
975 while(isset($allcats[$cat->parent]->children[$sortorder])) {
976 $sortorder++;
978 $allcats[$cat->parent]->children[$sortorder] = $cat;
980 unset($allcats);
982 // add broken cats to category tree
983 if ($brokencats) {
984 $defaultcat = reset($topcats);
985 foreach ($brokencats as $cat) {
986 $topcats[] = $cat;
990 // now walk recursively the tree and fix any problems found
991 $sortorder = 0;
992 $fixcontexts = array();
993 _fix_course_cats($topcats, $sortorder, 0, 0, '', $fixcontexts);
995 // detect if there are "multiple" frontpage courses and fix them if needed
996 $frontcourses = $DB->get_records('course', array('category'=>0), 'id');
997 if (count($frontcourses) > 1) {
998 if (isset($frontcourses[SITEID])) {
999 $frontcourse = $frontcourses[SITEID];
1000 unset($frontcourses[SITEID]);
1001 } else {
1002 $frontcourse = array_shift($frontcourses);
1004 $defaultcat = reset($topcats);
1005 foreach ($frontcourses as $course) {
1006 $DB->set_field('course', 'category', $defaultcat->id, array('id'=>$course->id));
1007 $context = get_context_instance(CONTEXT_COURSE, $course->id);
1008 $fixcontexts[$context->id] = $context;
1010 unset($frontcourses);
1011 } else {
1012 $frontcourse = reset($frontcourses);
1015 // now fix the paths and depths in context table if needed
1016 if ($fixcontexts) {
1017 rebuild_contexts($fixcontexts);
1020 // release memory
1021 unset($topcats);
1022 unset($brokencats);
1023 unset($fixcontexts);
1025 // fix frontpage course sortorder
1026 if ($frontcourse->sortorder != 1) {
1027 $DB->set_field('course', 'sortorder', 1, array('id'=>$frontcourse->id));
1030 // now fix the course counts in category records if needed
1031 $sql = "SELECT cc.id, cc.coursecount, COUNT(c.id) AS newcount
1032 FROM {course_categories} cc
1033 LEFT JOIN {course} c ON c.category = cc.id
1034 GROUP BY cc.id, cc.coursecount
1035 HAVING cc.coursecount <> COUNT(c.id)";
1037 if ($updatecounts = $DB->get_records_sql($sql)) {
1038 // categories with more courses than MAX_COURSES_IN_CATEGORY
1039 $categories = array();
1040 foreach ($updatecounts as $cat) {
1041 $cat->coursecount = $cat->newcount;
1042 if ($cat->coursecount >= MAX_COURSES_IN_CATEGORY) {
1043 $categories[] = $cat->id;
1045 unset($cat->newcount);
1046 $DB->update_record_raw('course_categories', $cat, true);
1048 if (!empty($categories)) {
1049 $str = implode(', ', $categories);
1050 debugging("The number of courses (category id: $str) has reached MAX_COURSES_IN_CATEGORY (" . MAX_COURSES_IN_CATEGORY . "), it will cause a sorting performance issue, please increase the value of MAX_COURSES_IN_CATEGORY in lib/datalib.php file. See tracker issue: MDL-25669", DEBUG_DEVELOPER);
1054 // now make sure that sortorders in course table are withing the category sortorder ranges
1055 $sql = "SELECT DISTINCT cc.id, cc.sortorder
1056 FROM {course_categories} cc
1057 JOIN {course} c ON c.category = cc.id
1058 WHERE c.sortorder < cc.sortorder OR c.sortorder > cc.sortorder + ".MAX_COURSES_IN_CATEGORY;
1060 if ($fixcategories = $DB->get_records_sql($sql)) {
1061 //fix the course sortorder ranges
1062 foreach ($fixcategories as $cat) {
1063 $sql = "UPDATE {course}
1064 SET sortorder = ".$DB->sql_modulo('sortorder', MAX_COURSES_IN_CATEGORY)." + ?
1065 WHERE category = ?";
1066 $DB->execute($sql, array($cat->sortorder, $cat->id));
1069 unset($fixcategories);
1071 // categories having courses with sortorder duplicates or having gaps in sortorder
1072 $sql = "SELECT DISTINCT c1.category AS id , cc.sortorder
1073 FROM {course} c1
1074 JOIN {course} c2 ON c1.sortorder = c2.sortorder
1075 JOIN {course_categories} cc ON (c1.category = cc.id)
1076 WHERE c1.id <> c2.id";
1077 $fixcategories = $DB->get_records_sql($sql);
1079 $sql = "SELECT cc.id, cc.sortorder, cc.coursecount, MAX(c.sortorder) AS maxsort, MIN(c.sortorder) AS minsort
1080 FROM {course_categories} cc
1081 JOIN {course} c ON c.category = cc.id
1082 GROUP BY cc.id, cc.sortorder, cc.coursecount
1083 HAVING (MAX(c.sortorder) <> cc.sortorder + cc.coursecount) OR (MIN(c.sortorder) <> cc.sortorder + 1)";
1084 $gapcategories = $DB->get_records_sql($sql);
1086 foreach ($gapcategories as $cat) {
1087 if (isset($fixcategories[$cat->id])) {
1088 // duplicates detected already
1090 } else if ($cat->minsort == $cat->sortorder and $cat->maxsort == $cat->sortorder + $cat->coursecount - 1) {
1091 // easy - new course inserted with sortorder 0, the rest is ok
1092 $sql = "UPDATE {course}
1093 SET sortorder = sortorder + 1
1094 WHERE category = ?";
1095 $DB->execute($sql, array($cat->id));
1097 } else {
1098 // it needs full resorting
1099 $fixcategories[$cat->id] = $cat;
1102 unset($gapcategories);
1104 // fix course sortorders in problematic categories only
1105 foreach ($fixcategories as $cat) {
1106 $i = 1;
1107 $courses = $DB->get_records('course', array('category'=>$cat->id), 'sortorder ASC, id DESC', 'id, sortorder');
1108 foreach ($courses as $course) {
1109 if ($course->sortorder != $cat->sortorder + $i) {
1110 $course->sortorder = $cat->sortorder + $i;
1111 $DB->update_record_raw('course', $course, true);
1113 $i++;
1119 * Internal recursive category verification function, do not use directly!
1121 * @todo Document the arguments of this function better
1123 * @global object
1124 * @uses MAX_COURSES_IN_CATEGORY
1125 * @uses CONTEXT_COURSECAT
1126 * @param array $children
1127 * @param int $sortorder
1128 * @param string $parent
1129 * @param int $depth
1130 * @param string $path
1131 * @param array $fixcontexts
1132 * @return void
1134 function _fix_course_cats($children, &$sortorder, $parent, $depth, $path, &$fixcontexts) {
1135 global $DB;
1137 $depth++;
1139 foreach ($children as $cat) {
1140 $sortorder = $sortorder + MAX_COURSES_IN_CATEGORY;
1141 $update = false;
1142 if ($parent != $cat->parent or $depth != $cat->depth or $path.'/'.$cat->id != $cat->path) {
1143 $cat->parent = $parent;
1144 $cat->depth = $depth;
1145 $cat->path = $path.'/'.$cat->id;
1146 $update = true;
1148 // make sure context caches are rebuild and dirty contexts marked
1149 $context = get_context_instance(CONTEXT_COURSECAT, $cat->id);
1150 $fixcontexts[$context->id] = $context;
1152 if ($cat->sortorder != $sortorder) {
1153 $cat->sortorder = $sortorder;
1154 $update = true;
1156 if ($update) {
1157 $DB->update_record('course_categories', $cat, true);
1159 if (isset($cat->children)) {
1160 _fix_course_cats($cat->children, $sortorder, $cat->id, $cat->depth, $cat->path, $fixcontexts);
1166 * List of remote courses that a user has access to via MNET.
1167 * Works only on the IDP
1169 * @global object
1170 * @global object
1171 * @param int @userid The user id to get remote courses for
1172 * @return array Array of {@link $COURSE} of course objects
1174 function get_my_remotecourses($userid=0) {
1175 global $DB, $USER;
1177 if (empty($userid)) {
1178 $userid = $USER->id;
1181 // we can not use SELECT DISTINCT + text field (summary) because of MS SQL and Oracle, subselect used therefore
1182 $sql = "SELECT c.id, c.remoteid, c.shortname, c.fullname,
1183 c.hostid, c.summary, c.summaryformat, c.categoryname AS cat_name,
1184 h.name AS hostname
1185 FROM {mnetservice_enrol_courses} c
1186 JOIN (SELECT DISTINCT hostid, remotecourseid
1187 FROM {mnetservice_enrol_enrolments}
1188 WHERE userid = ?
1189 ) e ON (e.hostid = c.hostid AND e.remotecourseid = c.remoteid)
1190 JOIN {mnet_host} h ON h.id = c.hostid";
1192 return $DB->get_records_sql($sql, array($userid));
1196 * List of remote hosts that a user has access to via MNET.
1197 * Works on the SP
1199 * @global object
1200 * @global object
1201 * @return array|bool Array of host objects or false
1203 function get_my_remotehosts() {
1204 global $CFG, $USER;
1206 if ($USER->mnethostid == $CFG->mnet_localhost_id) {
1207 return false; // Return nothing on the IDP
1209 if (!empty($USER->mnet_foreign_host_array) && is_array($USER->mnet_foreign_host_array)) {
1210 return $USER->mnet_foreign_host_array;
1212 return false;
1216 * This function creates a default separated/connected scale
1218 * This function creates a default separated/connected scale
1219 * so there's something in the database. The locations of
1220 * strings and files is a bit odd, but this is because we
1221 * need to maintain backward compatibility with many different
1222 * existing language translations and older sites.
1224 * @global object
1225 * @return void
1227 function make_default_scale() {
1228 global $DB;
1230 $defaultscale = NULL;
1231 $defaultscale->courseid = 0;
1232 $defaultscale->userid = 0;
1233 $defaultscale->name = get_string('separateandconnected');
1234 $defaultscale->description = get_string('separateandconnectedinfo');
1235 $defaultscale->scale = get_string('postrating1', 'forum').','.
1236 get_string('postrating2', 'forum').','.
1237 get_string('postrating3', 'forum');
1238 $defaultscale->timemodified = time();
1240 $defaultscale->id = $DB->insert_record('scale', $defaultscale);
1241 $DB->execute("UPDATE {forum} SET scale = ?", array($defaultscale->id));
1246 * Returns a menu of all available scales from the site as well as the given course
1248 * @global object
1249 * @param int $courseid The id of the course as found in the 'course' table.
1250 * @return array
1252 function get_scales_menu($courseid=0) {
1253 global $DB;
1255 $sql = "SELECT id, name
1256 FROM {scale}
1257 WHERE courseid = 0 or courseid = ?
1258 ORDER BY courseid ASC, name ASC";
1259 $params = array($courseid);
1261 if ($scales = $DB->get_records_sql_menu($sql, $params)) {
1262 return $scales;
1265 make_default_scale();
1267 return $DB->get_records_sql_menu($sql, $params);
1273 * Given a set of timezone records, put them in the database, replacing what is there
1275 * @global object
1276 * @param array $timezones An array of timezone records
1277 * @return void
1279 function update_timezone_records($timezones) {
1280 global $DB;
1282 /// Clear out all the old stuff
1283 $DB->delete_records('timezone');
1285 /// Insert all the new stuff
1286 foreach ($timezones as $timezone) {
1287 if (is_array($timezone)) {
1288 $timezone = (object)$timezone;
1290 $DB->insert_record('timezone', $timezone);
1295 /// MODULE FUNCTIONS /////////////////////////////////////////////////
1298 * Just gets a raw list of all modules in a course
1300 * @global object
1301 * @param int $courseid The id of the course as found in the 'course' table.
1302 * @return array
1304 function get_course_mods($courseid) {
1305 global $DB;
1307 if (empty($courseid)) {
1308 return false; // avoid warnings
1311 return $DB->get_records_sql("SELECT cm.*, m.name as modname
1312 FROM {modules} m, {course_modules} cm
1313 WHERE cm.course = ? AND cm.module = m.id AND m.visible = 1",
1314 array($courseid)); // no disabled mods
1319 * Given an id of a course module, finds the coursemodule description
1321 * @global object
1322 * @param string $modulename name of module type, eg. resource, assignment,... (optional, slower and less safe if not specified)
1323 * @param int $cmid course module id (id in course_modules table)
1324 * @param int $courseid optional course id for extra validation
1325 * @param bool $sectionnum include relative section number (0,1,2 ...)
1326 * @param int $strictness IGNORE_MISSING means compatible mode, false returned if record not found, debug message if more found;
1327 * IGNORE_MULTIPLE means return first, ignore multiple records found(not recommended);
1328 * MUST_EXIST means throw exception if no record or multiple records found
1329 * @return stdClass
1331 function get_coursemodule_from_id($modulename, $cmid, $courseid=0, $sectionnum=false, $strictness=IGNORE_MISSING) {
1332 global $DB;
1334 $params = array('cmid'=>$cmid);
1336 if (!$modulename) {
1337 if (!$modulename = $DB->get_field_sql("SELECT md.name
1338 FROM {modules} md
1339 JOIN {course_modules} cm ON cm.module = md.id
1340 WHERE cm.id = :cmid", $params, $strictness)) {
1341 return false;
1345 $params['modulename'] = $modulename;
1347 $courseselect = "";
1348 $sectionfield = "";
1349 $sectionjoin = "";
1351 if ($courseid) {
1352 $courseselect = "AND cm.course = :courseid";
1353 $params['courseid'] = $courseid;
1356 if ($sectionnum) {
1357 $sectionfield = ", cw.section AS sectionnum";
1358 $sectionjoin = "LEFT JOIN {course_sections} cw ON cw.id = cm.section";
1361 $sql = "SELECT cm.*, m.name, md.name AS modname $sectionfield
1362 FROM {course_modules} cm
1363 JOIN {modules} md ON md.id = cm.module
1364 JOIN {".$modulename."} m ON m.id = cm.instance
1365 $sectionjoin
1366 WHERE cm.id = :cmid AND md.name = :modulename
1367 $courseselect";
1369 return $DB->get_record_sql($sql, $params, $strictness);
1373 * Given an instance number of a module, finds the coursemodule description
1375 * @global object
1376 * @param string $modulename name of module type, eg. resource, assignment,...
1377 * @param int $instance module instance number (id in resource, assignment etc. table)
1378 * @param int $courseid optional course id for extra validation
1379 * @param bool $sectionnum include relative section number (0,1,2 ...)
1380 * @param int $strictness IGNORE_MISSING means compatible mode, false returned if record not found, debug message if more found;
1381 * IGNORE_MULTIPLE means return first, ignore multiple records found(not recommended);
1382 * MUST_EXIST means throw exception if no record or multiple records found
1383 * @return stdClass
1385 function get_coursemodule_from_instance($modulename, $instance, $courseid=0, $sectionnum=false, $strictness=IGNORE_MISSING) {
1386 global $DB;
1388 $params = array('instance'=>$instance, 'modulename'=>$modulename);
1390 $courseselect = "";
1391 $sectionfield = "";
1392 $sectionjoin = "";
1394 if ($courseid) {
1395 $courseselect = "AND cm.course = :courseid";
1396 $params['courseid'] = $courseid;
1399 if ($sectionnum) {
1400 $sectionfield = ", cw.section AS sectionnum";
1401 $sectionjoin = "LEFT JOIN {course_sections} cw ON cw.id = cm.section";
1404 $sql = "SELECT cm.*, m.name, md.name AS modname $sectionfield
1405 FROM {course_modules} cm
1406 JOIN {modules} md ON md.id = cm.module
1407 JOIN {".$modulename."} m ON m.id = cm.instance
1408 $sectionjoin
1409 WHERE m.id = :instance AND md.name = :modulename
1410 $courseselect";
1412 return $DB->get_record_sql($sql, $params, $strictness);
1416 * Returns all course modules of given activity in course
1418 * @param string $modulename The module name (forum, quiz, etc.)
1419 * @param int $courseid The course id to get modules for
1420 * @param string $extrafields extra fields starting with m.
1421 * @return array Array of results
1423 function get_coursemodules_in_course($modulename, $courseid, $extrafields='') {
1424 global $DB;
1426 if (!empty($extrafields)) {
1427 $extrafields = ", $extrafields";
1429 $params = array();
1430 $params['courseid'] = $courseid;
1431 $params['modulename'] = $modulename;
1434 return $DB->get_records_sql("SELECT cm.*, m.name, md.name as modname $extrafields
1435 FROM {course_modules} cm, {modules} md, {".$modulename."} m
1436 WHERE cm.course = :courseid AND
1437 cm.instance = m.id AND
1438 md.name = :modulename AND
1439 md.id = cm.module", $params);
1443 * Returns an array of all the active instances of a particular module in given courses, sorted in the order they are defined
1445 * Returns an array of all the active instances of a particular
1446 * module in given courses, sorted in the order they are defined
1447 * in the course. Returns an empty array on any errors.
1449 * The returned objects includle the columns cw.section, cm.visible,
1450 * cm.groupmode and cm.groupingid, cm.groupmembersonly, and are indexed by cm.id.
1452 * @global object
1453 * @global object
1454 * @param string $modulename The name of the module to get instances for
1455 * @param array $courses an array of course objects.
1456 * @param int $userid
1457 * @param int $includeinvisible
1458 * @return array of module instance objects, including some extra fields from the course_modules
1459 * and course_sections tables, or an empty array if an error occurred.
1461 function get_all_instances_in_courses($modulename, $courses, $userid=NULL, $includeinvisible=false) {
1462 global $CFG, $DB;
1464 $outputarray = array();
1466 if (empty($courses) || !is_array($courses) || count($courses) == 0) {
1467 return $outputarray;
1470 list($coursessql, $params) = $DB->get_in_or_equal(array_keys($courses), SQL_PARAMS_NAMED, 'c0');
1471 $params['modulename'] = $modulename;
1473 if (!$rawmods = $DB->get_records_sql("SELECT cm.id AS coursemodule, m.*, cw.section, cm.visible AS visible,
1474 cm.groupmode, cm.groupingid, cm.groupmembersonly
1475 FROM {course_modules} cm, {course_sections} cw, {modules} md,
1476 {".$modulename."} m
1477 WHERE cm.course $coursessql AND
1478 cm.instance = m.id AND
1479 cm.section = cw.id AND
1480 md.name = :modulename AND
1481 md.id = cm.module", $params)) {
1482 return $outputarray;
1485 foreach ($courses as $course) {
1486 $modinfo = get_fast_modinfo($course, $userid);
1488 if (empty($modinfo->instances[$modulename])) {
1489 continue;
1492 foreach ($modinfo->instances[$modulename] as $cm) {
1493 if (!$includeinvisible and !$cm->uservisible) {
1494 continue;
1496 if (!isset($rawmods[$cm->id])) {
1497 continue;
1499 $instance = $rawmods[$cm->id];
1500 if (!empty($cm->extra)) {
1501 $instance->extra = $cm->extra;
1503 $outputarray[] = $instance;
1507 return $outputarray;
1511 * Returns an array of all the active instances of a particular module in a given course,
1512 * sorted in the order they are defined.
1514 * Returns an array of all the active instances of a particular
1515 * module in a given course, sorted in the order they are defined
1516 * in the course. Returns an empty array on any errors.
1518 * The returned objects includle the columns cw.section, cm.visible,
1519 * cm.groupmode and cm.groupingid, cm.groupmembersonly, and are indexed by cm.id.
1521 * Simply calls {@link all_instances_in_courses()} with a single provided course
1523 * @param string $modulename The name of the module to get instances for
1524 * @param object $course The course obect.
1525 * @return array of module instance objects, including some extra fields from the course_modules
1526 * and course_sections tables, or an empty array if an error occurred.
1527 * @param int $userid
1528 * @param int $includeinvisible
1530 function get_all_instances_in_course($modulename, $course, $userid=NULL, $includeinvisible=false) {
1531 return get_all_instances_in_courses($modulename, array($course->id => $course), $userid, $includeinvisible);
1536 * Determine whether a module instance is visible within a course
1538 * Given a valid module object with info about the id and course,
1539 * and the module's type (eg "forum") returns whether the object
1540 * is visible or not, groupmembersonly visibility not tested
1542 * @global object
1544 * @param $moduletype Name of the module eg 'forum'
1545 * @param $module Object which is the instance of the module
1546 * @return bool Success
1548 function instance_is_visible($moduletype, $module) {
1549 global $DB;
1551 if (!empty($module->id)) {
1552 $params = array('courseid'=>$module->course, 'moduletype'=>$moduletype, 'moduleid'=>$module->id);
1553 if ($records = $DB->get_records_sql("SELECT cm.instance, cm.visible, cm.groupingid, cm.id, cm.groupmembersonly, cm.course
1554 FROM {course_modules} cm, {modules} m
1555 WHERE cm.course = :courseid AND
1556 cm.module = m.id AND
1557 m.name = :moduletype AND
1558 cm.instance = :moduleid", $params)) {
1560 foreach ($records as $record) { // there should only be one - use the first one
1561 return $record->visible;
1565 return true; // visible by default!
1569 * Determine whether a course module is visible within a course,
1570 * this is different from instance_is_visible() - faster and visibility for user
1572 * @global object
1573 * @global object
1574 * @uses DEBUG_DEVELOPER
1575 * @uses CONTEXT_MODULE
1576 * @uses CONDITION_MISSING_EXTRATABLE
1577 * @param object $cm object
1578 * @param int $userid empty means current user
1579 * @return bool Success
1581 function coursemodule_visible_for_user($cm, $userid=0) {
1582 global $USER,$CFG;
1584 if (empty($cm->id)) {
1585 debugging("Incorrect course module parameter!", DEBUG_DEVELOPER);
1586 return false;
1588 if (empty($userid)) {
1589 $userid = $USER->id;
1591 if (!$cm->visible and !has_capability('moodle/course:viewhiddenactivities', get_context_instance(CONTEXT_MODULE, $cm->id), $userid)) {
1592 return false;
1594 if ($CFG->enableavailability) {
1595 require_once($CFG->libdir.'/conditionlib.php');
1596 $ci=new condition_info($cm,CONDITION_MISSING_EXTRATABLE);
1597 if(!$ci->is_available($cm->availableinfo,false,$userid) and
1598 !has_capability('moodle/course:viewhiddenactivities',
1599 get_context_instance(CONTEXT_MODULE, $cm->id), $userid)) {
1600 return false;
1603 return groups_course_module_visible($cm, $userid);
1609 /// LOG FUNCTIONS /////////////////////////////////////////////////////
1613 * Add an entry to the log table.
1615 * Add an entry to the log table. These are "action" focussed rather
1616 * than web server hits, and provide a way to easily reconstruct what
1617 * any particular student has been doing.
1619 * @global object
1620 * @global object
1621 * @global object
1622 * @uses SITEID
1623 * @uses DEBUG_DEVELOPER
1624 * @uses DEBUG_ALL
1625 * @param int $courseid The course id
1626 * @param string $module The module name - e.g. forum, journal, resource, course, user etc
1627 * @param string $action 'view', 'update', 'add' or 'delete', possibly followed by another word to clarify.
1628 * @param string $url The file and parameters used to see the results of the action
1629 * @param string $info Additional description information
1630 * @param string $cm The course_module->id if there is one
1631 * @param string $user If log regards $user other than $USER
1632 * @return void
1634 function add_to_log($courseid, $module, $action, $url='', $info='', $cm=0, $user=0) {
1635 // Note that this function intentionally does not follow the normal Moodle DB access idioms.
1636 // This is for a good reason: it is the most frequently used DB update function,
1637 // so it has been optimised for speed.
1638 global $DB, $CFG, $USER;
1640 if ($cm === '' || is_null($cm)) { // postgres won't translate empty string to its default
1641 $cm = 0;
1644 if ($user) {
1645 $userid = $user;
1646 } else {
1647 if (session_is_loggedinas()) { // Don't log
1648 return;
1650 $userid = empty($USER->id) ? '0' : $USER->id;
1653 if (isset($CFG->logguests) and !$CFG->logguests) {
1654 if (!$userid or isguestuser($userid)) {
1655 return;
1659 $REMOTE_ADDR = getremoteaddr();
1661 $timenow = time();
1662 $info = $info;
1663 if (!empty($url)) { // could break doing html_entity_decode on an empty var.
1664 $url = html_entity_decode($url);
1667 // Restrict length of log lines to the space actually available in the
1668 // database so that it doesn't cause a DB error. Log a warning so that
1669 // developers can avoid doing things which are likely to cause this on a
1670 // routine basis.
1671 $tl = textlib_get_instance();
1672 if(!empty($info) && $tl->strlen($info)>255) {
1673 $info = $tl->substr($info,0,252).'...';
1674 debugging('Warning: logged very long info',DEBUG_DEVELOPER);
1677 // If the 100 field size is changed, also need to alter print_log in course/lib.php
1678 if(!empty($url) && $tl->strlen($url)>100) {
1679 $url=$tl->substr($url,0,97).'...';
1680 debugging('Warning: logged very long URL',DEBUG_DEVELOPER);
1683 if (defined('MDL_PERFDB')) { global $PERF ; $PERF->logwrites++;};
1685 $log = array('time'=>$timenow, 'userid'=>$userid, 'course'=>$courseid, 'ip'=>$REMOTE_ADDR, 'module'=>$module,
1686 'cmid'=>$cm, 'action'=>$action, 'url'=>$url, 'info'=>$info);
1688 try {
1689 $DB->insert_record_raw('log', $log, false);
1690 } catch (dml_write_exception $e) {
1691 debugging('Error: Could not insert a new entry to the Moodle log', DEBUG_ALL);
1692 // MDL-11893, alert $CFG->supportemail if insert into log failed
1693 if ($CFG->supportemail and empty($CFG->noemailever)) {
1694 // email_to_user is not usable because email_to_user tries to write to the logs table,
1695 // and this will get caught in an infinite loop, if disk is full
1696 $site = get_site();
1697 $subject = 'Insert into log failed at your moodle site '.$site->fullname;
1698 $message = "Insert into log table failed at ". date('l dS \of F Y h:i:s A') .".\n It is possible that your disk is full.\n\n";
1699 $message .= "The failed query parameters are:\n\n" . var_export($log, true);
1701 $lasttime = get_config('admin', 'lastloginserterrormail');
1702 if(empty($lasttime) || time() - $lasttime > 60*60*24) { // limit to 1 email per day
1703 //using email directly rather than messaging as they may not be able to log in to access a message
1704 mail($CFG->supportemail, $subject, $message);
1705 set_config('lastloginserterrormail', time(), 'admin');
1712 * Store user last access times - called when use enters a course or site
1714 * @global object
1715 * @global object
1716 * @global object
1717 * @uses LASTACCESS_UPDATE_SECS
1718 * @uses SITEID
1719 * @param int $courseid, empty means site
1720 * @return void
1722 function user_accesstime_log($courseid=0) {
1723 global $USER, $CFG, $DB;
1725 if (!isloggedin() or session_is_loggedinas()) {
1726 // no access tracking
1727 return;
1730 if (empty($courseid)) {
1731 $courseid = SITEID;
1734 $timenow = time();
1736 /// Store site lastaccess time for the current user
1737 if ($timenow - $USER->lastaccess > LASTACCESS_UPDATE_SECS) {
1738 /// Update $USER->lastaccess for next checks
1739 $USER->lastaccess = $timenow;
1741 $last = new stdClass();
1742 $last->id = $USER->id;
1743 $last->lastip = getremoteaddr();
1744 $last->lastaccess = $timenow;
1746 $DB->update_record_raw('user', $last);
1749 if ($courseid == SITEID) {
1750 /// no user_lastaccess for frontpage
1751 return;
1754 /// Store course lastaccess times for the current user
1755 if (empty($USER->currentcourseaccess[$courseid]) or ($timenow - $USER->currentcourseaccess[$courseid] > LASTACCESS_UPDATE_SECS)) {
1757 $lastaccess = $DB->get_field('user_lastaccess', 'timeaccess', array('userid'=>$USER->id, 'courseid'=>$courseid));
1759 if ($lastaccess === false) {
1760 // Update course lastaccess for next checks
1761 $USER->currentcourseaccess[$courseid] = $timenow;
1763 $last = new stdClass();
1764 $last->userid = $USER->id;
1765 $last->courseid = $courseid;
1766 $last->timeaccess = $timenow;
1767 $DB->insert_record_raw('user_lastaccess', $last, false);
1769 } else if ($timenow - $lastaccess < LASTACCESS_UPDATE_SECS) {
1770 // no need to update now, it was updated recently in concurrent login ;-)
1772 } else {
1773 // Update course lastaccess for next checks
1774 $USER->currentcourseaccess[$courseid] = $timenow;
1776 $DB->set_field('user_lastaccess', 'timeaccess', $timenow, array('userid'=>$USER->id, 'courseid'=>$courseid));
1782 * Select all log records based on SQL criteria
1784 * @todo Finish documenting this function
1786 * @global object
1787 * @param string $select SQL select criteria
1788 * @param array $params named sql type params
1789 * @param string $order SQL order by clause to sort the records returned
1790 * @param string $limitfrom ?
1791 * @param int $limitnum ?
1792 * @param int $totalcount Passed in by reference.
1793 * @return object
1795 function get_logs($select, array $params=null, $order='l.time DESC', $limitfrom='', $limitnum='', &$totalcount) {
1796 global $DB;
1798 if ($order) {
1799 $order = "ORDER BY $order";
1802 $selectsql = "";
1803 $countsql = "";
1805 if ($select) {
1806 $select = "WHERE $select";
1809 $sql = "SELECT COUNT(*)
1810 FROM {log} l
1811 $select";
1813 $totalcount = $DB->count_records_sql($sql, $params);
1815 $sql = "SELECT l.*, u.firstname, u.lastname, u.picture
1816 FROM {log} l
1817 LEFT JOIN {user} u ON l.userid = u.id
1818 $select
1819 $order";
1821 return $DB->get_records_sql($sql, $params, $limitfrom, $limitnum) ;
1826 * Select all log records for a given course and user
1828 * @todo Finish documenting this function
1830 * @global object
1831 * @uses DAYSECS
1832 * @param int $userid The id of the user as found in the 'user' table.
1833 * @param int $courseid The id of the course as found in the 'course' table.
1834 * @param string $coursestart ?
1836 function get_logs_usercourse($userid, $courseid, $coursestart) {
1837 global $DB;
1839 $params = array();
1841 $courseselect = '';
1842 if ($courseid) {
1843 $courseselect = "AND course = :courseid";
1844 $params['courseid'] = $courseid;
1846 $params['userid'] = $userid;
1847 $params['coursestart'] = $coursestart;
1849 return $DB->get_records_sql("SELECT FLOOR((time - :coursestart)/". DAYSECS .") AS day, COUNT(*) AS num
1850 FROM {log}
1851 WHERE userid = :userid
1852 AND time > :coursestart $courseselect
1853 GROUP BY FLOOR((time - :coursestart)/". DAYSECS .")", $params);
1857 * Select all log records for a given course, user, and day
1859 * @global object
1860 * @uses HOURSECS
1861 * @param int $userid The id of the user as found in the 'user' table.
1862 * @param int $courseid The id of the course as found in the 'course' table.
1863 * @param string $daystart ?
1864 * @return object
1866 function get_logs_userday($userid, $courseid, $daystart) {
1867 global $DB;
1869 $params = array($daystart, $userid, $daystart);
1871 $courseselect = '';
1872 if ($courseid) {
1873 $courseselect = "AND course = ?";
1874 $params[] = $courseid;
1876 $params[] = $daystart;
1878 return $DB->get_records_sql("SELECT FLOOR((time - ?)/". HOURSECS .") AS hour, COUNT(*) AS num
1879 FROM {log}
1880 WHERE userid = ?
1881 AND time > ? $courseselect
1882 GROUP BY FLOOR((time - ?)/". HOURSECS .") ", $params);
1886 * Returns an object with counts of failed login attempts
1888 * Returns information about failed login attempts. If the current user is
1889 * an admin, then two numbers are returned: the number of attempts and the
1890 * number of accounts. For non-admins, only the attempts on the given user
1891 * are shown.
1893 * @global object
1894 * @uses CONTEXT_SYSTEM
1895 * @param string $mode Either 'admin' or 'everybody'
1896 * @param string $username The username we are searching for
1897 * @param string $lastlogin The date from which we are searching
1898 * @return int
1900 function count_login_failures($mode, $username, $lastlogin) {
1901 global $DB;
1903 $params = array('mode'=>$mode, 'username'=>$username, 'lastlogin'=>$lastlogin);
1904 $select = "module='login' AND action='error' AND time > :lastlogin";
1906 $count = new stdClass();
1908 if (is_siteadmin()) {
1909 if ($count->attempts = $DB->count_records_select('log', $select, $params)) {
1910 $count->accounts = $DB->count_records_select('log', $select, $params, 'COUNT(DISTINCT info)');
1911 return $count;
1913 } else if ($mode == 'everybody') {
1914 if ($count->attempts = $DB->count_records_select('log', "$select AND info = :username", $params)) {
1915 return $count;
1918 return NULL;
1922 /// GENERAL HELPFUL THINGS ///////////////////////////////////
1925 * Dump a given object's information in a PRE block.
1927 * Mostly just used for debugging.
1929 * @param mixed $object The data to be printed
1930 * @return void OUtput is echo'd
1932 function print_object($object) {
1933 echo '<pre class="notifytiny">';
1934 print_r($object); // Direct to output because some objects get too big for memory otherwise!
1935 echo '</pre>';
1939 * This function is the official hook inside XMLDB stuff to delegate its debug to one
1940 * external function.
1942 * Any script can avoid calls to this function by defining XMLDB_SKIP_DEBUG_HOOK before
1943 * using XMLDB classes. Obviously, also, if this function doesn't exist, it isn't invoked ;-)
1945 * @uses DEBUG_DEVELOPER
1946 * @param string $message string contains the error message
1947 * @param object $object object XMLDB object that fired the debug
1949 function xmldb_debug($message, $object) {
1951 debugging($message, DEBUG_DEVELOPER);
1955 * @global object
1956 * @uses CONTEXT_COURSECAT
1957 * @return boolean Whether the user can create courses in any category in the system.
1959 function user_can_create_courses() {
1960 global $DB;
1961 $catsrs = $DB->get_recordset('course_categories');
1962 foreach ($catsrs as $cat) {
1963 if (has_capability('moodle/course:create', get_context_instance(CONTEXT_COURSECAT, $cat->id))) {
1964 $catsrs->close();
1965 return true;
1968 $catsrs->close();
1969 return false;