2 // This file is part of Moodle - http://moodle.org/
4 // Moodle is free software: you can redistribute it and/or modify
5 // it under the terms of the GNU General Public License as published by
6 // the Free Software Foundation, either version 3 of the License, or
7 // (at your option) any later version.
9 // Moodle is distributed in the hope that it will be useful,
10 // but WITHOUT ANY WARRANTY; without even the implied warranty of
11 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 // GNU General Public License for more details.
14 // You should have received a copy of the GNU General Public License
15 // along with Moodle. If not, see <http://www.gnu.org/licenses/>.
18 * IMS Enterprise file enrolment plugin.
20 * This plugin lets the user specify an IMS Enterprise file to be processed.
21 * The IMS Enterprise file is mainly parsed on a regular cron,
22 * but can also be imported via the UI (Admin Settings).
23 * @package enrol_imsenterprise
24 * @copyright 2010 Eugene Venter
25 * @author Eugene Venter - based on code by Dan Stowell
26 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
29 defined('MOODLE_INTERNAL') ||
die();
35 This class uses regular expressions to mine the data file. The main reason is
36 that XML handling changes from PHP 4 to PHP 5, so this should work on both.
38 One drawback is that the pattern-matching doesn't (currently) handle XML
39 namespaces - it only copes with a <group> tag if it says <group>, and not
40 (for example) <ims:group>.
42 This should also be able to handle VERY LARGE FILES - so the entire IMS file is
43 NOT loaded into memory at once. It's handled line-by-line, 'forgetting' tags as
44 soon as they are processed.
46 N.B. The "sourcedid" ID code is translated to Moodle's "idnumber" field, both
47 for users and for courses.
51 require_once($CFG->dirroot
.'/group/lib.php');
54 class enrol_imsenterprise_plugin
extends enrol_plugin
{
60 * Read in an IMS Enterprise file.
61 * Originally designed to handle v1.1 files but should be able to handle
62 * earlier types as well, I believe.
69 $imsfilelocation = $this->get_config('imsfilelocation');
70 $logtolocation = $this->get_config('logtolocation');
71 $mailadmins = $this->get_config('mailadmins');
72 $prev_time = $this->get_config('prev_time');
73 $prev_md5 = $this->get_config('prev_md5');
74 $prev_path = $this->get_config('prev_path');
76 if (empty($imsfilelocation)) {
77 // $filename = "$CFG->dirroot/enrol/imsenterprise/example.xml"; // Default location
78 $filename = "$CFG->dataroot/1/imsenterprise-enrol.xml"; // Default location
80 $filename = $imsfilelocation;
83 $this->logfp
= false; // File pointer for writing log data to
84 if(!empty($logtolocation)) {
85 $this->logfp
= fopen($logtolocation, 'a');
88 if ( file_exists($filename) ) {
92 $this->log_line('----------------------------------------------------------------------');
93 $this->log_line("IMS Enterprise enrol cron process launched at " . userdate(time()));
94 $this->log_line('Found file '.$filename);
97 // Make sure we understand how to map the IMS-E roles to Moodle roles
98 $this->load_role_mappings();
99 // Make sure we understand how to map the IMS-E course names to Moodle course names.
100 $this->load_course_mappings();
102 $md5 = md5_file($filename); // NB We'll write this value back to the database at the end of the cron
103 $filemtime = filemtime($filename);
105 // Decide if we want to process the file (based on filepath, modification time, and MD5 hash)
106 // This is so we avoid wasting the server's efforts processing a file unnecessarily
107 if(empty($prev_path) ||
($filename != $prev_path)) {
109 } elseif(isset($prev_time) && ($filemtime <= $prev_time)) {
111 $this->log_line('File modification time is not more recent than last update - skipping processing.');
112 } elseif(isset($prev_md5) && ($md5 == $prev_md5)) {
114 $this->log_line('File MD5 hash is same as on last update - skipping processing.');
116 $fileisnew = true; // Let's process it!
121 $listoftags = array('group', 'person', 'member', 'membership', 'comments', 'properties'); // The list of tags which should trigger action (even if only cache trimming)
122 $this->continueprocessing
= true; // The <properties> tag is allowed to halt processing if we're demanding a matching target
124 // FIRST PASS: Run through the file and process the group/person entries
125 if (($fh = fopen($filename, "r")) != false) {
128 while ((!feof($fh)) && $this->continueprocessing
) {
131 $curline = fgets($fh);
132 $this->xmlcache
.= $curline; // Add a line onto the XML cache
135 // If we've got a full tag (i.e. the most recent line has closed the tag) then process-it-and-forget-it.
136 // Must always make sure to remove tags from cache so they don't clog up our memory
137 if($tagcontents = $this->full_tag_found_in_cache('group', $curline)) {
138 $this->process_group_tag($tagcontents);
139 $this->remove_tag_from_cache('group');
140 } elseif($tagcontents = $this->full_tag_found_in_cache('person', $curline)) {
141 $this->process_person_tag($tagcontents);
142 $this->remove_tag_from_cache('person');
143 } elseif($tagcontents = $this->full_tag_found_in_cache('membership', $curline)) {
144 $this->process_membership_tag($tagcontents);
145 $this->remove_tag_from_cache('membership');
146 } elseif($tagcontents = $this->full_tag_found_in_cache('comments', $curline)) {
147 $this->remove_tag_from_cache('comments');
148 } elseif($tagcontents = $this->full_tag_found_in_cache('properties', $curline)) {
149 $this->process_properties_tag($tagcontents);
150 $this->remove_tag_from_cache('properties');
154 } // End of while-tags-are-detected
155 } // end of while loop
157 fix_course_sortorder();
158 } // end of if(file_open) for first pass
164 Since the IMS specification v1.1 insists that "memberships" should come last,
165 and since vendors seem to have done this anyway (even with 1.0),
166 we can sensibly perform the import in one fell swoop.
169 // SECOND PASS: Now go through the file and process the membership entries
170 $this->xmlcache = '';
171 if (($fh = fopen($filename, "r")) != false) {
173 while ((!feof($fh)) && $this->continueprocessing) {
175 $curline = fgets($fh);
176 $this->xmlcache .= $curline; // Add a line onto the XML cache
179 // Must always make sure to remove tags from cache so they don't clog up our memory
180 if($tagcontents = $this->full_tag_found_in_cache('group', $curline)){
181 $this->remove_tag_from_cache('group');
182 }elseif($tagcontents = $this->full_tag_found_in_cache('person', $curline)){
183 $this->remove_tag_from_cache('person');
184 }elseif($tagcontents = $this->full_tag_found_in_cache('membership', $curline)){
185 $this->process_membership_tag($tagcontents);
186 $this->remove_tag_from_cache('membership');
187 }elseif($tagcontents = $this->full_tag_found_in_cache('comments', $curline)){
188 $this->remove_tag_from_cache('comments');
189 }elseif($tagcontents = $this->full_tag_found_in_cache('properties', $curline)){
190 $this->remove_tag_from_cache('properties');
195 } // end of while loop
197 } // end of if(file_open) for second pass
202 $timeelapsed = time() - $starttime;
203 $this->log_line('Process has completed. Time taken: '.$timeelapsed.' seconds.');
206 } // END of "if file is new"
209 // These variables are stored so we can compare them against the IMS file, next time round.
210 $this->set_config('prev_time', $filemtime);
211 $this->set_config('prev_md5', $md5);
212 $this->set_config('prev_path', $filename);
216 }else{ // end of if(file_exists)
217 $this->log_line('File not found: '.$filename);
220 if (!empty($mailadmins)) {
221 $msg = "An IMS enrolment has been carried out within Moodle.\nTime taken: $timeelapsed seconds.\n\n";
222 if(!empty($logtolocation)){
224 $msg .= "Log data has been written to:\n";
225 $msg .= "$logtolocation\n";
226 $msg .= "(Log file size: ".ceil(filesize($logtolocation)/1024)."Kb)\n\n";
228 $msg .= "The log file appears not to have been successfully written.\nCheck that the file is writeable by the server:\n";
229 $msg .= "$logtolocation\n\n";
232 $msg .= "Logging is currently not active.";
235 $eventdata = new stdClass();
236 $eventdata->modulename
= 'moodle';
237 $eventdata->component
= 'enrol_imsenterprise';
238 $eventdata->name
= 'imsenterprise_enrolment';
239 $eventdata->userfrom
= get_admin();
240 $eventdata->userto
= get_admin();
241 $eventdata->subject
= "Moodle IMS Enterprise enrolment notification";
242 $eventdata->fullmessage
= $msg;
243 $eventdata->fullmessageformat
= FORMAT_PLAIN
;
244 $eventdata->fullmessagehtml
= '';
245 $eventdata->smallmessage
= '';
246 message_send($eventdata);
248 $this->log_line('Notification email sent to administrator.');
253 fclose($this->logfp
);
257 } // end of cron() function
260 * Check if a complete tag is found in the cached data, which usually happens
261 * when the end of the tag has only just been loaded into the cache.
262 * Returns either false, or the contents of the tag (including start and end).
263 * @param string $tagname Name of tag to look for
264 * @param string $latestline The very last line in the cache (used for speeding up the match)
266 function full_tag_found_in_cache($tagname, $latestline){ // Return entire element if found. Otherwise return false.
267 if(strpos(strtolower($latestline), '</'.strtolower($tagname).'>')===false){
269 }elseif(preg_match('{(<'.$tagname.'\b.*?>.*?</'.$tagname.'>)}is', $this->xmlcache
, $matches)){
275 * Remove complete tag from the cached data (including all its contents) - so
276 * that the cache doesn't grow to unmanageable size
277 * @param string $tagname Name of tag to look for
279 function remove_tag_from_cache($tagname){ // Trim the cache so we're not in danger of running out of memory.
280 ///echo "<p>remove_tag_from_cache: $tagname</p>"; flush(); ob_flush();
281 // echo "<p>remove_tag_from_cache:<br />".htmlspecialchars($this->xmlcache);
282 $this->xmlcache
= trim(preg_replace('{<'.$tagname.'\b.*?>.*?</'.$tagname.'>}is', '', $this->xmlcache
, 1)); // "1" so that we replace only the FIRST instance
283 // echo "<br />".htmlspecialchars($this->xmlcache)."</p>";
287 * Very simple convenience function to return the "recstatus" found in person/group/role tags.
288 * 1=Add, 2=Update, 3=Delete, as specified by IMS, and we also use 0 to indicate "unspecified".
289 * @param string $tagdata the tag XML data
290 * @param string $tagname the name of the tag we're interested in
292 function get_recstatus($tagdata, $tagname){
293 if(preg_match('{<'.$tagname.'\b[^>]*recstatus\s*=\s*["\'](\d)["\']}is', $tagdata, $matches)){
294 // echo "<p>get_recstatus($tagname) found status of $matches[1]</p>";
295 return intval($matches[1]);
297 // echo "<p>get_recstatus($tagname) found nothing</p>";
298 return 0; // Unspecified
303 * Process the group tag. This defines a Moodle course.
304 * @param string $tagconents The raw contents of the XML element
306 function process_group_tag($tagcontents) {
310 $truncatecoursecodes = $this->get_config('truncatecoursecodes');
311 $createnewcourses = $this->get_config('createnewcourses');
312 $createnewcategories = $this->get_config('createnewcategories');
314 // Process tag contents
315 $group = new stdClass();
316 if (preg_match('{<sourcedid>.*?<id>(.+?)</id>.*?</sourcedid>}is', $tagcontents, $matches)) {
317 $group->coursecode
= trim($matches[1]);
320 if (preg_match('{<description>.*?<long>(.*?)</long>.*?</description>}is', $tagcontents, $matches)) {
321 $group->long
= trim($matches[1]);
323 if (preg_match('{<description>.*?<short>(.*?)</short>.*?</description>}is', $tagcontents, $matches)) {
324 $group->short
= trim($matches[1]);
326 if (preg_match('{<description>.*?<full>(.*?)</full>.*?</description>}is', $tagcontents, $matches)) {
327 $group->full
= trim($matches[1]);
330 if (preg_match('{<org>.*?<orgunit>(.*?)</orgunit>.*?</org>}is', $tagcontents, $matches)) {
331 $group->category
= trim($matches[1]);
334 $recstatus = ($this->get_recstatus($tagcontents, 'group'));
335 //echo "<p>get_recstatus for this group returned $recstatus</p>";
337 if (!(strlen($group->coursecode
)>0)) {
338 $this->log_line('Error at line '.$line.': Unable to find course code in \'group\' element.');
340 // First, truncate the course code if desired
341 if (intval($truncatecoursecodes)>0) {
342 $group->coursecode
= ($truncatecoursecodes > 0)
343 ?
substr($group->coursecode
, 0, intval($truncatecoursecodes))
344 : $group->coursecode
;
347 /* -----------Course aliasing is DEACTIVATED until a more general method is in place---------------
349 // Second, look in the course alias table to see if the code should be translated to something else
350 if($aliases = $DB->get_field('enrol_coursealias', 'toids', array('fromid'=>$group->coursecode))){
351 $this->log_line("Found alias of course code: Translated $group->coursecode to $aliases");
352 // Alias is allowed to be a comma-separated list, so let's split it
353 $group->coursecode = explode(',', $aliases);
357 // For compatibility with the (currently inactive) course aliasing, we need this to be an array
358 $group->coursecode
= array($group->coursecode
);
360 // Third, check if the course(s) exist
361 foreach ($group->coursecode
as $coursecode) {
362 $coursecode = trim($coursecode);
363 if (!$DB->get_field('course', 'id', array('idnumber'=>$coursecode))) {
364 if (!$createnewcourses) {
365 $this->log_line("Course $coursecode not found in Moodle's course idnumbers.");
368 // Create the (hidden) course(s) if not found
369 $courseconfig = get_config('moodlecourse'); // Load Moodle Course shell defaults
372 $course = new stdClass();
373 foreach ($this->coursemappings
as $courseattr => $imsname) {
375 if ($imsname == 'ignore') {
379 // Check if the IMS file contains the mapped tag, otherwise fallback on coursecode.
380 if ($imsname == 'coursecode') {
381 $course->{$courseattr} = $coursecode;
382 } else if (!empty($group->{$imsname})) {
383 $course->{$courseattr} = $group->{$imsname};
385 $this->log_line('No ' . $imsname . ' description tag found for ' . $coursecode . ' coursecode, using ' . $coursecode . ' instead');
386 $course->{$courseattr} = $coursecode;
390 $course->idnumber
= $coursecode;
391 $course->format
= $courseconfig->format
;
392 $course->visible
= $courseconfig->visible
;
393 $course->newsitems
= $courseconfig->newsitems
;
394 $course->showgrades
= $courseconfig->showgrades
;
395 $course->showreports
= $courseconfig->showreports
;
396 $course->maxbytes
= $courseconfig->maxbytes
;
397 $course->groupmode
= $courseconfig->groupmode
;
398 $course->groupmodeforce
= $courseconfig->groupmodeforce
;
399 $course->enablecompletion
= $courseconfig->enablecompletion
;
400 // Insert default names for teachers/students, from the current language
402 // Handle course categorisation (taken from the group.org.orgunit field if present)
403 if (strlen($group->category
)>0) {
404 // If the category is defined and exists in Moodle, we want to store it in that one
405 if ($catid = $DB->get_field('course_categories', 'id', array('name'=>$group->category
))) {
406 $course->category
= $catid;
407 } else if ($createnewcategories) {
408 // Else if we're allowed to create new categories, let's create this one
409 $newcat = new stdClass();
410 $newcat->name
= $group->category
;
411 $newcat->visible
= 0;
412 $catid = $DB->insert_record('course_categories', $newcat);
413 $course->category
= $catid;
414 $this->log_line("Created new (hidden) category, #$catid: $newcat->name");
416 // If not found and not allowed to create, stick with default
417 $this->log_line('Category '.$group->category
.' not found in Moodle database, so using default category instead.');
418 $course->category
= 1;
421 $course->category
= 1;
423 $course->timecreated
= time();
424 $course->startdate
= time();
425 // Choose a sort order that puts us at the start of the list!
426 $course->sortorder
= 0;
427 $courseid = $DB->insert_record('course', $course);
429 // Setup default enrolment plugins
430 $course->id
= $courseid;
431 enrol_course_updated(true, $course, null);
434 $course = $DB->get_record('course', array('id' => $courseid));
435 blocks_add_default_course_blocks($course);
437 // Create default 0-section
438 course_create_sections_if_missing($course, 0);
440 add_to_log(SITEID
, "course", "new", "view.php?id=$course->id", "$course->fullname (ID $course->id)");
442 $this->log_line("Created course $coursecode in Moodle (Moodle ID is $course->id)");
444 } else if ($recstatus==3 && ($courseid = $DB->get_field('course', 'id', array('idnumber'=>$coursecode)))) {
445 // If course does exist, but recstatus==3 (delete), then set the course as hidden
446 $DB->set_field('course', 'visible', '0', array('id'=>$courseid));
448 } // End of foreach(coursecode)
450 } // End process_group_tag()
453 * Process the person tag. This defines a Moodle user.
454 * @param string $tagconents The raw contents of the XML element
456 function process_person_tag($tagcontents){
459 // Get plugin configs
460 $imssourcedidfallback = $this->get_config('imssourcedidfallback');
461 $fixcaseusernames = $this->get_config('fixcaseusernames');
462 $fixcasepersonalnames = $this->get_config('fixcasepersonalnames');
463 $imsdeleteusers = $this->get_config('imsdeleteusers');
464 $createnewusers = $this->get_config('createnewusers');
466 $person = new stdClass();
467 if(preg_match('{<sourcedid>.*?<id>(.+?)</id>.*?</sourcedid>}is', $tagcontents, $matches)){
468 $person->idnumber
= trim($matches[1]);
470 if(preg_match('{<name>.*?<n>.*?<given>(.+?)</given>.*?</n>.*?</name>}is', $tagcontents, $matches)){
471 $person->firstname
= trim($matches[1]);
473 if(preg_match('{<name>.*?<n>.*?<family>(.+?)</family>.*?</n>.*?</name>}is', $tagcontents, $matches)){
474 $person->lastname
= trim($matches[1]);
476 if(preg_match('{<userid>(.*?)</userid>}is', $tagcontents, $matches)){
477 $person->username
= trim($matches[1]);
479 if($imssourcedidfallback && trim($person->username
)==''){
480 // This is the point where we can fall back to useing the "sourcedid" if "userid" is not supplied
481 // NB We don't use an "elseif" because the tag may be supplied-but-empty
482 $person->username
= $person->idnumber
;
484 if(preg_match('{<email>(.*?)</email>}is', $tagcontents, $matches)){
485 $person->email
= trim($matches[1]);
487 if(preg_match('{<url>(.*?)</url>}is', $tagcontents, $matches)){
488 $person->url
= trim($matches[1]);
490 if(preg_match('{<adr>.*?<locality>(.+?)</locality>.*?</adr>}is', $tagcontents, $matches)){
491 $person->city
= trim($matches[1]);
493 if(preg_match('{<adr>.*?<country>(.+?)</country>.*?</adr>}is', $tagcontents, $matches)){
494 $person->country
= trim($matches[1]);
497 // Fix case of some of the fields if required
498 if($fixcaseusernames && isset($person->username
)){
499 $person->username
= strtolower($person->username
);
501 if($fixcasepersonalnames){
502 if(isset($person->firstname
)){
503 $person->firstname
= ucwords(strtolower($person->firstname
));
505 if(isset($person->lastname
)){
506 $person->lastname
= ucwords(strtolower($person->lastname
));
510 $recstatus = ($this->get_recstatus($tagcontents, 'person'));
513 // Now if the recstatus is 3, we should delete the user if-and-only-if the setting for delete users is turned on
516 if($imsdeleteusers){ // If we're allowed to delete user records
517 // Do not dare to hack the user.deleted field directly in database!!!
518 if ($user = $DB->get_record('user', array('username'=>$person->username
, 'mnethostid'=>$CFG->mnet_localhost_id
, 'deleted'=>0))) {
519 if (delete_user($user)) {
520 $this->log_line("Deleted user '$person->username' (ID number $person->idnumber).");
522 $this->log_line("Error deleting '$person->username' (ID number $person->idnumber).");
525 $this->log_line("Can not delete user '$person->username' (ID number $person->idnumber) - user does not exist.");
528 $this->log_line("Ignoring deletion request for user '$person->username' (ID number $person->idnumber).");
531 }else{ // Add or update record
534 // If the user exists (matching sourcedid) then we don't need to do anything.
535 if(!$DB->get_field('user', 'id', array('idnumber'=>$person->idnumber
)) && $createnewusers){
536 // If they don't exist and haven't a defined username, we log this as a potential problem.
537 if((!isset($person->username
)) ||
(strlen($person->username
)==0)){
538 $this->log_line("Cannot create new user for ID # $person->idnumber - no username listed in IMS data for this person.");
539 } else if ($DB->get_field('user', 'id', array('username'=>$person->username
))){
540 // If their idnumber is not registered but their user ID is, then add their idnumber to their record
541 $DB->set_field('user', 'idnumber', $person->idnumber
, array('username'=>$person->username
));
544 // If they don't exist and they have a defined username, and $createnewusers == true, we create them.
545 $person->lang
= $CFG->lang
;
546 $auth = explode(',', $CFG->auth
); //TODO: this needs more work due tu multiauth changes, use first auth for now
547 $auth = reset($auth);
548 $person->auth
= $auth;
549 $person->confirmed
= 1;
550 $person->timemodified
= time();
551 $person->mnethostid
= $CFG->mnet_localhost_id
;
552 $id = $DB->insert_record('user', $person);
554 Photo processing is deactivated until we hear from Moodle dev forum about modification to gdlib.
556 //Antoni Mas. 07/12/2005. If a photo URL is specified then we might want to load
557 // it into the user's profile. Beware that this may cause a heavy overhead on the server.
558 if($CFG->enrol_processphoto){
559 if(preg_match('{<photo>.*?<extref>(.*?)</extref>.*?</photo>}is', $tagcontents, $matches)){
560 $person->urlphoto = trim($matches[1]);
562 //Habilitam el flag que ens indica que el personatge t foto prpia.
563 $person->picture = 1;
564 //Llibreria creada per nosaltres mateixos.
565 require_once($CFG->dirroot.'/lib/gdlib.php');
566 if ($usernew->picture = save_profile_image($id, $person->urlphoto,'user')) { TODO: use process_new_icon() instead
567 $DB->set_field('user', 'picture', $usernew->picture, array('id'=>$id)); /// Note picture in DB
571 $this->log_line("Created user record for user '$person->username' (ID number $person->idnumber).");
573 } elseif ($createnewusers) {
574 $this->log_line("User record already exists for user '$person->username' (ID number $person->idnumber).");
576 // It is totally wrong to mess with deleted users flag directly in database!!!
577 // There is no official way to undelete user, sorry..
579 $this->log_line("No user record found for '$person->username' (ID number $person->idnumber).");
582 } // End of are-we-deleting-or-adding
584 } // End process_person_tag()
587 * Process the membership tag. This defines whether the specified Moodle users
588 * should be added/removed as teachers/students.
589 * @param string $tagconents The raw contents of the XML element
591 function process_membership_tag($tagcontents){
594 // Get plugin configs
595 $truncatecoursecodes = $this->get_config('truncatecoursecodes');
596 $imscapitafix = $this->get_config('imscapitafix');
601 // In order to reduce the number of db queries required, group name/id associations are cached in this array:
604 $ship = new stdClass();
606 if(preg_match('{<sourcedid>.*?<id>(.+?)</id>.*?</sourcedid>}is', $tagcontents, $matches)){
607 $ship->coursecode
= ($truncatecoursecodes > 0)
608 ?
substr(trim($matches[1]), 0, intval($truncatecoursecodes))
610 $ship->courseid
= $DB->get_field('course', 'id', array('idnumber'=>$ship->coursecode
));
612 if($ship->courseid
&& preg_match_all('{<member>(.*?)</member>}is', $tagcontents, $membermatches, PREG_SET_ORDER
)){
613 $courseobj = new stdClass();
614 $courseobj->id
= $ship->courseid
;
616 foreach($membermatches as $mmatch){
617 $member = new stdClass();
618 $memberstoreobj = new stdClass();
619 if(preg_match('{<sourcedid>.*?<id>(.+?)</id>.*?</sourcedid>}is', $mmatch[1], $matches)){
620 $member->idnumber
= trim($matches[1]);
622 if(preg_match('{<role\s+roletype=["\'](.+?)["\'].*?>}is', $mmatch[1], $matches)){
623 $member->roletype
= trim($matches[1]); // 01 means Student, 02 means Instructor, 3 means ContentDeveloper, and there are more besides
624 } elseif($imscapitafix && preg_match('{<roletype>(.+?)</roletype>}is', $mmatch[1], $matches)){
625 // The XML that comes out of Capita Student Records seems to contain a misinterpretation of the IMS specification!
626 $member->roletype
= trim($matches[1]); // 01 means Student, 02 means Instructor, 3 means ContentDeveloper, and there are more besides
628 if(preg_match('{<role\b.*?<status>(.+?)</status>.*?</role>}is', $mmatch[1], $matches)){
629 $member->status
= trim($matches[1]); // 1 means active, 0 means inactive - treat this as enrol vs unenrol
632 $recstatus = ($this->get_recstatus($mmatch[1], 'role'));
634 $member->status
= 0; // See above - recstatus of 3 (==delete) is treated the same as status of 0
635 //echo "<p>process_membership_tag: unenrolling member due to recstatus of 3</p>";
638 $timeframe = new stdClass();
639 $timeframe->begin
= 0;
641 if(preg_match('{<role\b.*?<timeframe>(.+?)</timeframe>.*?</role>}is', $mmatch[1], $matches)){
642 $timeframe = $this->decode_timeframe($matches[1]);
644 if(preg_match('{<role\b.*?<extension>.*?<cohort>(.+?)</cohort>.*?</extension>.*?</role>}is', $mmatch[1], $matches)){
645 $member->groupname
= trim($matches[1]);
646 // The actual processing (ensuring a group record exists, etc) occurs below, in the enrol-a-student clause
649 $rolecontext = context_course
::instance($ship->courseid
);
650 $rolecontext = $rolecontext->id
; // All we really want is the ID
651 //$this->log_line("Context instance for course $ship->courseid is...");
652 //print_r($rolecontext);
654 // Add or remove this student or teacher to the course...
655 $memberstoreobj->userid
= $DB->get_field('user', 'id', array('idnumber'=>$member->idnumber
));
656 $memberstoreobj->enrol
= 'imsenterprise';
657 $memberstoreobj->course
= $ship->courseid
;
658 $memberstoreobj->time
= time();
659 $memberstoreobj->timemodified
= time();
660 if($memberstoreobj->userid
){
662 // Decide the "real" role (i.e. the Moodle role) that this user should be assigned to.
663 // Zero means this roletype is supposed to be skipped.
664 $moodleroleid = $this->rolemappings
[$member->roletype
];
666 $this->log_line("SKIPPING role $member->roletype for $memberstoreobj->userid ($member->idnumber) in course $memberstoreobj->course");
670 if(intval($member->status
) == 1) {
673 $einstance = $DB->get_record('enrol',
674 array('courseid' => $courseobj->id
, 'enrol' => $memberstoreobj->enrol
));
675 if (empty($einstance)) {
676 // Only add an enrol instance to the course if non-existent
677 $enrolid = $this->add_instance($courseobj);
678 $einstance = $DB->get_record('enrol', array('id' => $enrolid));
681 $this->enrol_user($einstance, $memberstoreobj->userid
, $moodleroleid, $timeframe->begin
, $timeframe->end
);
683 $this->log_line("Enrolled user #$memberstoreobj->userid ($member->idnumber) to role $member->roletype in course $memberstoreobj->course");
686 // At this point we can also ensure the group membership is recorded if present
687 if(isset($member->groupname
)){
688 // Create the group if it doesn't exist - either way, make sure we know the group ID
689 if(isset($groupids[$member->groupname
])) {
690 $member->groupid
= $groupids[$member->groupname
]; // Recall the group ID from cache if available
692 if($groupid = $DB->get_field('groups', 'id', array('courseid'=>$ship->courseid
, 'name'=>$member->groupname
))){
693 $member->groupid
= $groupid;
694 $groupids[$member->groupname
] = $groupid; // Store ID in cache
696 // Attempt to create the group
697 $group = new stdClass();
698 $group->name
= $member->groupname
;
699 $group->courseid
= $ship->courseid
;
700 $group->timecreated
= time();
701 $group->timemodified
= time();
702 $groupid = $DB->insert_record('groups', $group);
703 $this->log_line('Added a new group for this course: '.$group->name
);
704 $groupids[$member->groupname
] = $groupid; // Store ID in cache
705 $member->groupid
= $groupid;
706 // Invalidate the course group data cache just in case.
707 cache_helper
::invalidate_by_definition('core', 'groupdata', array(), array($ship->courseid
));
710 // Add the user-to-group association if it doesn't already exist
711 if($member->groupid
) {
712 groups_add_member($member->groupid
, $memberstoreobj->userid
,
713 'enrol_imsenterprise', $einstance->id
);
715 } // End of group-enrolment (from member.role.extension.cohort tag)
717 } elseif ($this->get_config('imsunenrol')) {
720 $einstances = $DB->get_records('enrol',
721 array('enrol' => $memberstoreobj->enrol
, 'courseid' => $courseobj->id
));
722 foreach ($einstances as $einstance) {
723 // Unenrol the user from all imsenterprise enrolment instances
724 $this->unenrol_user($einstance, $memberstoreobj->userid
);
728 $this->log_line("Unenrolled $member->idnumber from role $moodleroleid in course");
733 $this->log_line("Added $memberstally users to course $ship->coursecode");
734 if($membersuntally > 0){
735 $this->log_line("Removed $membersuntally users from course $ship->coursecode");
738 } // End process_membership_tag()
741 * Process the properties tag. The only data from this element
742 * that is relevant is whether a <target> is specified.
743 * @param string $tagconents The raw contents of the XML element
745 function process_properties_tag($tagcontents){
746 $imsrestricttarget = $this->get_config('imsrestricttarget');
748 if ($imsrestricttarget) {
749 if(!(preg_match('{<target>'.preg_quote($imsrestricttarget).'</target>}is', $tagcontents, $matches))){
750 $this->log_line("Skipping processing: required target \"$imsrestricttarget\" not specified in this data.");
751 $this->continueprocessing
= false;
757 * Store logging information. This does two things: uses the {@link mtrace()}
758 * function to print info to screen/STDOUT, and also writes log to a text file
759 * if a path has been specified.
760 * @param string $string Text to write (newline will be added automatically)
762 function log_line($string){
768 fwrite($this->logfp
, $string . "\n");
773 * Process the INNER contents of a <timeframe> tag, to return beginning/ending dates.
775 function decode_timeframe($string){ // Pass me the INNER CONTENTS of a <timeframe> tag - beginning and/or ending is returned, in unix time, zero indicating not specified
776 $ret = new stdClass();
777 $ret->begin
= $ret->end
= 0;
778 // Explanatory note: The matching will ONLY match if the attribute restrict="1"
779 // because otherwise the time markers should be ignored (participation should be
780 // allowed outside the period)
781 if(preg_match('{<begin\s+restrict="1">(\d\d\d\d)-(\d\d)-(\d\d)</begin>}is', $string, $matches)){
782 $ret->begin
= mktime(0,0,0, $matches[2], $matches[3], $matches[1]);
784 if(preg_match('{<end\s+restrict="1">(\d\d\d\d)-(\d\d)-(\d\d)</end>}is', $string, $matches)){
785 $ret->end
= mktime(0,0,0, $matches[2], $matches[3], $matches[1]);
788 } // End decode_timeframe
791 * Load the role mappings (from the config), so we can easily refer to
792 * how an IMS-E role corresponds to a Moodle role
794 function load_role_mappings() {
795 require_once('locallib.php');
798 $imsroles = new imsenterprise_roles();
799 $imsroles = $imsroles->get_imsroles();
801 $this->rolemappings
= array();
802 foreach($imsroles as $imsrolenum=>$imsrolename) {
803 $this->rolemappings
[$imsrolenum] = $this->rolemappings
[$imsrolename] = $this->get_config('imsrolemap' . $imsrolenum);
808 * Load the name mappings (from the config), so we can easily refer to
809 * how an IMS-E course properties corresponds to a Moodle course properties
811 function load_course_mappings() {
812 require_once('locallib.php');
814 $imsnames = new imsenterprise_courses();
815 $courseattrs = $imsnames->get_courseattrs();
817 $this->coursemappings
= array();
818 foreach($courseattrs as $courseattr) {
819 $this->coursemappings
[$courseattr] = $this->get_config('imscoursemap' . $courseattr);
824 * Called whenever anybody tries (from the normal interface) to remove a group
825 * member which is registered as being created by this component. (Not called
826 * when deleting an entire group or course at once.)
827 * @param int $itemid Item ID that was stored in the group_members entry
828 * @param int $groupid Group ID
829 * @param int $userid User ID being removed from group
830 * @return bool True if the remove is permitted, false to give an error
832 function enrol_imsenterprise_allow_group_member_remove($itemid, $groupid, $userid) {