3 // This file is part of Moodle - http://moodle.org/
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.
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/>.
19 * assignment_base is the base class for assignment types
21 * This class provides all the functionality for an assignment
23 * @package mod-assignment
24 * @copyright 1999 onwards Martin Dougiamas {@link http://moodle.com}
25 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
28 /** Include eventslib.php */
29 require_once($CFG->libdir.'/eventslib.php');
30 /** Include formslib.php */
31 require_once($CFG->libdir.'/formslib.php');
32 /** Include calendar/lib.php */
33 require_once($CFG->dirroot.'/calendar/lib.php');
35 /** ASSIGNMENT_COUNT_WORDS = 1 */
36 DEFINE ('ASSIGNMENT_COUNT_WORDS', 1);
37 /** ASSIGNMENT_COUNT_LETTERS = 2 */
38 DEFINE ('ASSIGNMENT_COUNT_LETTERS', 2);
41 * Standard base class for all assignment submodules (assignment types).
43 * @package mod-assignment
44 * @copyright 1999 onwards Martin Dougiamas {@link http://moodle.com}
45 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
47 class assignment_base {
68 * @todo document this var
72 * @todo document this var
79 * Constructor for the base assignment class
81 * Constructor for the base assignment class.
82 * If cmid is set create the cm, course, assignment objects.
83 * If the assignment is hidden and the user is not a teacher then
84 * this prints a page header and notice.
88 * @param int $cmid the current course module id - not set for new assignments
89 * @param object $assignment usually null, but if we have it we pass it to save db access
90 * @param object $cm usually null, but if we have it we pass it to save db access
91 * @param object $course usually null, but if we have it we pass it to save db access
93 function assignment_base($cmid='staticonly', $assignment=NULL, $cm=NULL, $course=NULL) {
96 if ($cmid == 'staticonly') {
97 //use static functions only!
105 } else if (! $this->cm = get_coursemodule_from_id('assignment', $cmid)) {
106 print_error('invalidcoursemodule');
109 $this->context = get_context_instance(CONTEXT_MODULE, $this->cm->id);
112 $this->course = $course;
113 } else if ($this->cm->course == $COURSE->id) {
114 $this->course = $COURSE;
115 } else if (! $this->course = $DB->get_record('course', array('id'=>$this->cm->course))) {
116 print_error('invalidid', 'assignment');
120 $this->assignment = $assignment;
121 } else if (! $this->assignment = $DB->get_record('assignment', array('id'=>$this->cm->instance))) {
122 print_error('invalidid', 'assignment');
125 $this->assignment->cmidnumber = $this->cm->idnumber; // compatibility with modedit assignment obj
126 $this->assignment->courseid = $this->course->id; // compatibility with modedit assignment obj
128 $this->strassignment = get_string('modulename', 'assignment');
129 $this->strassignments = get_string('modulenameplural', 'assignment');
130 $this->strsubmissions = get_string('submissions', 'assignment');
131 $this->strlastmodified = get_string('lastmodified');
132 $this->pagetitle = strip_tags($this->course->shortname.': '.$this->strassignment.': '.format_string($this->assignment->name,true));
134 // visibility handled by require_login() with $cm parameter
135 // get current group only when really needed
137 /// Set up things for a HTML editor if it's needed
138 $this->defaultformat = editors_get_preferred_format();
142 * Display the assignment, used by view.php
144 * This in turn calls the methods producing individual parts of the page
148 $context = get_context_instance(CONTEXT_MODULE,$this->cm->id);
149 require_capability('mod/assignment:view', $context);
151 add_to_log($this->course->id, "assignment", "view", "view.php?id={$this->cm->id}",
152 $this->assignment->id, $this->cm->id);
154 $this->view_header();
160 $this->view_feedback();
162 $this->view_footer();
166 * Display the header and top of a page
168 * (this doesn't change much for assignment types)
169 * This is used by the view() method to print the header of view.php but
170 * it can be used on other pages in which case the string to denote the
171 * page in the navigation trail should be passed as an argument
174 * @param string $subpage Description of subpage to be used in navigation trail
176 function view_header($subpage='') {
177 global $CFG, $PAGE, $OUTPUT;
180 $PAGE->navbar->add($subpage);
183 $PAGE->set_title($this->pagetitle);
184 $PAGE->set_heading($this->course->fullname);
186 echo $OUTPUT->header();
188 groups_print_activity_menu($this->cm, $CFG->wwwroot . '/mod/assignment/view.php?id=' . $this->cm->id);
190 echo '<div class="reportlink">'.$this->submittedlink().'</div>';
191 echo '<div class="clearer"></div>';
196 * Display the assignment intro
198 * This will most likely be extended by assignment type plug-ins
199 * The default implementation prints the assignment description in a box
201 function view_intro() {
203 echo $OUTPUT->box_start('generalbox boxaligncenter', 'intro');
204 echo format_module_intro('assignment', $this->assignment, $this->cm->id);
205 echo $OUTPUT->box_end();
209 * Display the assignment dates
211 * Prints the assignment start and end dates in a box.
212 * This will be suitable for most assignment types
214 function view_dates() {
216 if (!$this->assignment->timeavailable && !$this->assignment->timedue) {
220 echo $OUTPUT->box_start('generalbox boxaligncenter', 'dates');
222 if ($this->assignment->timeavailable) {
223 echo '<tr><td class="c0">'.get_string('availabledate','assignment').':</td>';
224 echo ' <td class="c1">'.userdate($this->assignment->timeavailable).'</td></tr>';
226 if ($this->assignment->timedue) {
227 echo '<tr><td class="c0">'.get_string('duedate','assignment').':</td>';
228 echo ' <td class="c1">'.userdate($this->assignment->timedue).'</td></tr>';
231 echo $OUTPUT->box_end();
236 * Display the bottom and footer of a page
238 * This default method just prints the footer.
239 * This will be suitable for most assignment types
241 function view_footer() {
243 echo $OUTPUT->footer();
247 * Display the feedback to the student
249 * This default method prints the teacher picture and name, date when marked,
250 * grade and teacher submissioncomment.
255 * @param object $submission The submission object or NULL in which case it will be loaded
257 function view_feedback($submission=NULL) {
258 global $USER, $CFG, $DB, $OUTPUT;
259 require_once($CFG->libdir.'/gradelib.php');
261 if (!is_enrolled($this->context, $USER, 'mod/assignment:submit')) {
262 // can not submit assignments -> no feedback
266 if (!$submission) { /// Get submission for this assignment
267 $submission = $this->get_submission($USER->id);
270 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, $USER->id);
271 $item = $grading_info->items[0];
272 $grade = $item->grades[$USER->id];
274 if ($grade->hidden or $grade->grade === false) { // hidden or error
278 if ($grade->grade === null and empty($grade->str_feedback)) { /// Nothing to show yet
282 $graded_date = $grade->dategraded;
283 $graded_by = $grade->usermodified;
285 /// We need the teacher info
286 if (!$teacher = $DB->get_record('user', array('id'=>$graded_by))) {
287 print_error('cannotfindteacher');
290 /// Print the feedback
291 echo $OUTPUT->heading(get_string('feedbackfromteacher', 'assignment', fullname($teacher)));
293 echo '<table cellspacing="0" class="feedback">';
296 echo '<td class="left picture">';
298 echo $OUTPUT->user_picture($teacher);
301 echo '<td class="topic">';
302 echo '<div class="from">';
304 echo '<div class="fullname">'.fullname($teacher).'</div>';
306 echo '<div class="time">'.userdate($graded_date).'</div>';
312 echo '<td class="left side"> </td>';
313 echo '<td class="content">';
314 echo '<div class="grade">';
315 echo get_string("grade").': '.$grade->str_long_grade;
317 echo '<div class="clearer"></div>';
319 echo '<div class="comment">';
320 echo $grade->str_feedback;
324 if ($this->type == 'uploadsingle') { //@TODO: move to overload view_feedback method in the class or is uploadsingle merging into upload?
325 $responsefiles = $this->print_responsefiles($submission->userid, true);
326 if (!empty($responsefiles)) {
328 echo '<td class="left side"> </td>';
329 echo '<td class="content">';
339 * Returns a link with info about the state of the assignment submissions
341 * This is used by view_header to put this link at the top right of the page.
342 * For teachers it gives the number of submitted assignments with a link
343 * For students it gives the time of their submission.
344 * This will be suitable for most assignment types.
348 * @param bool $allgroup print all groups info if user can access all groups, suitable for index.php
351 function submittedlink($allgroups=false) {
356 $urlbase = "{$CFG->wwwroot}/mod/assignment/";
358 $context = get_context_instance(CONTEXT_MODULE,$this->cm->id);
359 if (has_capability('mod/assignment:grade', $context)) {
360 if ($allgroups and has_capability('moodle/site:accessallgroups', $context)) {
363 $group = groups_get_activity_group($this->cm);
365 if ($count = $this->count_real_submissions($group)) {
366 $submitted = '<a href="'.$urlbase.'submissions.php?id='.$this->cm->id.'">'.
367 get_string('viewsubmissions', 'assignment', $count).'</a>';
369 $submitted = '<a href="'.$urlbase.'submissions.php?id='.$this->cm->id.'">'.
370 get_string('noattempts', 'assignment').'</a>';
374 if ($submission = $this->get_submission($USER->id)) {
375 if ($submission->timemodified) {
376 if ($submission->timemodified <= $this->assignment->timedue || empty($this->assignment->timedue)) {
377 $submitted = '<span class="early">'.userdate($submission->timemodified).'</span>';
379 $submitted = '<span class="late">'.userdate($submission->timemodified).'</span>';
391 * @todo Document this function
393 function setup_elements(&$mform) {
398 * Any preprocessing needed for the settings form for
399 * this assignment type
401 * @param array $default_values - array to fill in with the default values
402 * in the form 'formelement' => 'value'
403 * @param object $form - the form that is to be displayed
406 function form_data_preprocessing(&$default_values, $form) {
410 * Any extra validation checks needed for the settings
411 * form for this assignment type
413 * See lib/formslib.php, 'validation' function for details
415 function form_validation($data, $files) {
420 * Create a new assignment activity
422 * Given an object containing all the necessary data,
423 * (defined by the form in mod_form.php) this function
424 * will create a new instance and return the id number
425 * of the new instance.
426 * The due data is added to the calendar
427 * This is common to all assignment types.
431 * @param object $assignment The data from the form on mod_form.php
432 * @return int The id of the assignment
434 function add_instance($assignment) {
437 $assignment->timemodified = time();
438 $assignment->courseid = $assignment->course;
440 if ($returnid = $DB->insert_record("assignment", $assignment)) {
441 $assignment->id = $returnid;
443 if ($assignment->timedue) {
444 $event = new object();
445 $event->name = $assignment->name;
446 $event->description = format_module_intro('assignment', $assignment, $assignment->coursemodule);
447 $event->courseid = $assignment->course;
450 $event->modulename = 'assignment';
451 $event->instance = $returnid;
452 $event->eventtype = 'due';
453 $event->timestart = $assignment->timedue;
454 $event->timeduration = 0;
456 calendar_event::create($event);
459 assignment_grade_item_update($assignment);
468 * Deletes an assignment activity
470 * Deletes all database records, files and calendar events for this assignment.
474 * @param object $assignment The assignment to be deleted
475 * @return boolean False indicates error
477 function delete_instance($assignment) {
480 $assignment->courseid = $assignment->course;
484 // now get rid of all files
485 $fs = get_file_storage();
486 if ($cm = get_coursemodule_from_instance('assignment', $assignment->id)) {
487 $context = get_context_instance(CONTEXT_MODULE, $cm->id);
488 $fs->delete_area_files($context->id);
491 if (! $DB->delete_records('assignment_submissions', array('assignment'=>$assignment->id))) {
495 if (! $DB->delete_records('event', array('modulename'=>'assignment', 'instance'=>$assignment->id))) {
499 if (! $DB->delete_records('assignment', array('id'=>$assignment->id))) {
502 $mod = $DB->get_field('modules','id',array('name'=>'assignment'));
504 assignment_grade_item_delete($assignment);
510 * Updates a new assignment activity
512 * Given an object containing all the necessary data,
513 * (defined by the form in mod_form.php) this function
514 * will update the assignment instance and return the id number
515 * The due date is updated in the calendar
516 * This is common to all assignment types.
520 * @param object $assignment The data from the form on mod_form.php
521 * @return int The assignment id
523 function update_instance($assignment) {
526 $assignment->timemodified = time();
528 $assignment->id = $assignment->instance;
529 $assignment->courseid = $assignment->course;
531 $DB->update_record('assignment', $assignment);
533 if ($assignment->timedue) {
534 $event = new object();
536 if ($event->id = $DB->get_field('event', 'id', array('modulename'=>'assignment', 'instance'=>$assignment->id))) {
538 $event->name = $assignment->name;
539 $event->description = format_module_intro('assignment', $assignment, $assignment->coursemodule);
540 $event->timestart = $assignment->timedue;
542 $calendarevent = calendar_event::load($event->id);
543 $calendarevent->update($event);
545 $event = new object();
546 $event->name = $assignment->name;
547 $event->description = format_module_intro('assignment', $assignment, $assignment->coursemodule);
548 $event->courseid = $assignment->course;
551 $event->modulename = 'assignment';
552 $event->instance = $assignment->id;
553 $event->eventtype = 'due';
554 $event->timestart = $assignment->timedue;
555 $event->timeduration = 0;
557 calendar_event::create($event);
560 $DB->delete_records('event', array('modulename'=>'assignment', 'instance'=>$assignment->id));
563 // get existing grade item
564 assignment_grade_item_update($assignment);
570 * Update grade item for this submission.
572 function update_grade($submission) {
573 assignment_update_grades($this->assignment, $submission->userid);
577 * Top-level function for handling of submissions called by submissions.php
579 * This is for handling the teacher interaction with the grading interface
580 * This should be suitable for most assignment types.
583 * @param string $mode Specifies the kind of teacher interaction taking place
585 function submissions($mode) {
586 ///The main switch is changed to facilitate
587 ///1) Batch fast grading
588 ///2) Skip to the next one on the popup
589 ///3) Save and Skip to the next one on the popup
591 //make user global so we can use the id
592 global $USER, $OUTPUT, $DB, $PAGE;
594 $mailinfo = optional_param('mailinfo', null, PARAM_BOOL);
595 $saved = optional_param('saved', null, PARAM_BOOL);
597 if (optional_param('next', null, PARAM_BOOL)) {
600 if (optional_param('saveandnext', null, PARAM_BOOL)) {
604 if (is_null($mailinfo)) {
605 $mailinfo = get_user_preferences('assignment_mailinfo', 0);
607 set_user_preference('assignment_mailinfo', $mailinfo);
611 $OUTPUT->heading(get_string('changessaved'));
615 case 'grade': // We are in a main window grading
616 if ($submission = $this->process_feedback()) {
617 $this->display_submissions(get_string('changessaved'));
619 $this->display_submissions();
623 case 'single': // We are in a main window displaying one submission
624 if ($submission = $this->process_feedback()) {
625 $this->display_submissions(get_string('changessaved'));
627 $this->display_submission();
631 case 'all': // Main window, display everything
632 $this->display_submissions();
636 ///do the fast grading stuff - this process should work for all 3 subclasses
640 if (isset($_POST['submissioncomment'])) {
641 $col = 'submissioncomment';
644 if (isset($_POST['menu'])) {
649 //both submissioncomment and grade columns collapsed..
650 $this->display_submissions();
654 foreach ($_POST[$col] as $id => $unusedvalue){
656 $id = (int)$id; //clean parameter name
658 $this->process_outcomes($id);
660 if (!$submission = $this->get_submission($id)) {
661 $submission = $this->prepare_new_submission($id);
662 $newsubmission = true;
664 $newsubmission = false;
666 unset($submission->data1); // Don't need to update this.
667 unset($submission->data2); // Don't need to update this.
669 //for fast grade, we need to check if any changes take place
673 $grade = $_POST['menu'][$id];
674 $updatedb = $updatedb || ($submission->grade != $grade);
675 $submission->grade = $grade;
677 if (!$newsubmission) {
678 unset($submission->grade); // Don't need to update this.
682 $commentvalue = trim($_POST['submissioncomment'][$id]);
683 $updatedb = $updatedb || ($submission->submissioncomment != $commentvalue);
684 $submission->submissioncomment = $commentvalue;
686 unset($submission->submissioncomment); // Don't need to update this.
689 $submission->teacher = $USER->id;
691 $submission->mailed = (int)(!$mailinfo);
694 $submission->timemarked = time();
696 //if it is not an update, we don't change the last modified time etc.
697 //this will also not write into database if no submissioncomment and grade is entered.
700 if ($newsubmission) {
701 if (!isset($submission->submissioncomment)) {
702 $submission->submissioncomment = '';
704 $sid = $DB->insert_record('assignment_submissions', $submission);
705 $submission->id = $sid;
707 $DB->update_record('assignment_submissions', $submission);
710 // triger grade event
711 $this->update_grade($submission);
713 //add to log only if updating
714 add_to_log($this->course->id, 'assignment', 'update grades',
715 'submissions.php?id='.$this->assignment->id.'&user='.$submission->userid,
716 $submission->userid, $this->cm->id);
721 $message = $OUTPUT->notification(get_string('changessaved'), 'notifysuccess');
723 $this->display_submissions($message);
728 ///We are in pop up. save the current one and go to the next one.
729 //first we save the current changes
730 if ($submission = $this->process_feedback()) {
731 //print_heading(get_string('changessaved'));
732 //$extra_javascript = $this->update_main_listing($submission);
736 /// We are currently in pop up, but we want to skip to next one without saving.
737 /// This turns out to be similar to a single case
738 /// The URL used is for the next submission.
739 $offset = required_param('offset', PARAM_INT);
740 $nextid = required_param('nextid', PARAM_INT);
741 $id = required_param('id', PARAM_INT);
742 $offset = (int)$offset+1;
743 //$this->display_submission($offset+1 , $nextid);
744 redirect('submissions.php?id='.$id.'&userid='. $nextid . '&mode=single&offset='.$offset);
748 echo "something seriously is wrong!!";
754 * Helper method updating the listing on the main script from popup using javascript
758 * @param $submission object The submission whose data is to be updated on the main page
760 function update_main_listing($submission) {
761 global $SESSION, $CFG, $OUTPUT;
765 $perpage = get_user_preferences('assignment_perpage', 10);
767 $quickgrade = get_user_preferences('assignment_quickgrade', 0);
769 /// Run some Javascript to try and update the parent page
770 $output .= '<script type="text/javascript">'."\n<!--\n";
771 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['submissioncomment'])) {
773 $output.= 'opener.document.getElementById("submissioncomment'.$submission->userid.'").value="'
774 .trim($submission->submissioncomment).'";'."\n";
776 $output.= 'opener.document.getElementById("com'.$submission->userid.
777 '").innerHTML="'.shorten_text(trim(strip_tags($submission->submissioncomment)), 15)."\";\n";
781 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['grade'])) {
782 //echo optional_param('menuindex');
784 $output.= 'opener.document.getElementById("menumenu'.$submission->userid.
785 '").selectedIndex="'.optional_param('menuindex', 0, PARAM_INT).'";'."\n";
787 $output.= 'opener.document.getElementById("g'.$submission->userid.'").innerHTML="'.
788 $this->display_grade($submission->grade)."\";\n";
791 //need to add student's assignments in there too.
792 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['timemodified']) &&
793 $submission->timemodified) {
794 $output.= 'opener.document.getElementById("ts'.$submission->userid.
795 '").innerHTML="'.addslashes_js($this->print_student_answer($submission->userid)).userdate($submission->timemodified)."\";\n";
798 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['timemarked']) &&
799 $submission->timemarked) {
800 $output.= 'opener.document.getElementById("tt'.$submission->userid.
801 '").innerHTML="'.userdate($submission->timemarked)."\";\n";
804 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['status'])) {
805 $output.= 'opener.document.getElementById("up'.$submission->userid.'").className="s1";';
806 $buttontext = get_string('update');
807 $url = new moodle_url('/mod/assignment/submissions.php', array(
808 'id' => $this->cm->id,
809 'userid' => $submission->userid,
811 'offset' => (optional_param('offset', '', PARAM_INT)-1)));
812 $button = $OUTPUT->action_link($url, $buttontext, new popup_action('click', $url, 'grade'.$submission->userid, array('height' => 450, 'width' => 700)), array('ttile'=>$buttontext));
814 $output .= 'opener.document.getElementById("up'.$submission->userid.'").innerHTML="'.addslashes_js($button).'";';
817 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, $submission->userid);
819 if (empty($SESSION->flextable['mod-assignment-submissions']->collapse['finalgrade'])) {
820 $output.= 'opener.document.getElementById("finalgrade_'.$submission->userid.
821 '").innerHTML="'.$grading_info->items[0]->grades[$submission->userid]->str_grade.'";'."\n";
824 if (!empty($CFG->enableoutcomes) and empty($SESSION->flextable['mod-assignment-submissions']->collapse['outcome'])) {
826 if (!empty($grading_info->outcomes)) {
827 foreach($grading_info->outcomes as $n=>$outcome) {
828 if ($outcome->grades[$submission->userid]->locked) {
833 $output.= 'opener.document.getElementById("outcome_'.$n.'_'.$submission->userid.
834 '").selectedIndex="'.$outcome->grades[$submission->userid]->grade.'";'."\n";
837 $options = make_grades_menu(-$outcome->scaleid);
838 $options[0] = get_string('nooutcome', 'grades');
839 $output.= 'opener.document.getElementById("outcome_'.$n.'_'.$submission->userid.'").innerHTML="'.$options[$outcome->grades[$submission->userid]->grade]."\";\n";
846 $output .= "\n-->\n</script>";
851 * Return a grade in user-friendly form, whether it's a scale or not
854 * @param mixed $grade
855 * @return string User-friendly representation of grade
857 function display_grade($grade) {
860 static $scalegrades = array(); // Cache scales for each assignment - they might have different scales!!
862 if ($this->assignment->grade >= 0) { // Normal number
866 return $grade.' / '.$this->assignment->grade;
870 if (empty($scalegrades[$this->assignment->id])) {
871 if ($scale = $DB->get_record('scale', array('id'=>-($this->assignment->grade)))) {
872 $scalegrades[$this->assignment->id] = make_menu_from_list($scale->scale);
877 if (isset($scalegrades[$this->assignment->id][$grade])) {
878 return $scalegrades[$this->assignment->id][$grade];
885 * Display a single submission, ready for grading on a popup window
887 * This default method prints the teacher info and submissioncomment box at the top and
888 * the student info and submission at the bottom.
889 * This method also fetches the necessary data in order to be able to
890 * provide a "Next submission" button.
891 * Calls preprocess_submission() to give assignment type plug-ins a chance
892 * to process submissions before they are graded
893 * This method gets its arguments from the page parameters userid and offset
897 * @param string $extra_javascript
899 function display_submission($offset=-1,$userid =-1) {
900 global $CFG, $DB, $PAGE, $OUTPUT;
901 require_once($CFG->libdir.'/gradelib.php');
902 require_once($CFG->libdir.'/tablelib.php');
904 $userid = required_param('userid', PARAM_INT);
907 $offset = required_param('offset', PARAM_INT);//offset for where to start looking for student.
910 if (!$user = $DB->get_record('user', array('id'=>$userid))) {
911 print_error('nousers');
914 if (!$submission = $this->get_submission($user->id)) {
915 $submission = $this->prepare_new_submission($userid);
917 if ($submission->timemodified > $submission->timemarked) {
918 $subtype = 'assignmentnew';
920 $subtype = 'assignmentold';
923 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, array($user->id));
924 $gradingdisabled = $grading_info->items[0]->grades[$userid]->locked || $grading_info->items[0]->grades[$userid]->overridden;
926 /// construct SQL, using current offset to find the data of the next student
927 $course = $this->course;
928 $assignment = $this->assignment;
930 $context = get_context_instance(CONTEXT_MODULE, $cm->id);
932 /// Get all ppl that can submit assignments
934 $currentgroup = groups_get_activity_group($cm);
935 if ($users = get_enrolled_users($context, 'mod/assignment:submit', $currentgroup, 'u.id')) {
936 $users = array_keys($users);
939 // if groupmembersonly used, remove users who are not in any group
940 if ($users and !empty($CFG->enablegroupmembersonly) and $cm->groupmembersonly) {
941 if ($groupingusers = groups_get_grouping_members($cm->groupingid, 'u.id', 'u.id')) {
942 $users = array_intersect($users, array_keys($groupingusers));
949 $userfields = user_picture::fields('u', array('lastaccess'));
950 $select = "SELECT $userfields,
951 s.id AS submissionid, s.grade, s.submissioncomment,
952 s.timemodified, s.timemarked,
953 COALESCE(SIGN(SIGN(s.timemarked) + SIGN(s.timemarked - s.timemodified)), 0) AS status ";
954 $sql = 'FROM {user} u '.
955 'LEFT JOIN {assignment_submissions} s ON u.id = s.userid
956 AND s.assignment = '.$this->assignment->id.' '.
957 'WHERE u.id IN ('.implode(',', $users).') ';
959 if ($sort = flexible_table::get_sort_for_table('mod-assignment-submissions')) {
960 $sort = 'ORDER BY '.$sort.' ';
962 $auser = $DB->get_records_sql($select.$sql.$sort, null, $offset, 2);
964 if (is_array($auser) && count($auser)>1) {
965 $nextuser = next($auser);
966 /// Calculate user status
967 $nextuser->status = ($nextuser->timemarked > 0) && ($nextuser->timemarked >= $nextuser->timemodified);
968 $nextid = $nextuser->id;
972 if ($submission->teacher) {
973 $teacher = $DB->get_record('user', array('id'=>$submission->teacher));
979 $this->preprocess_submission($submission);
981 $mformdata = new stdclass;
982 $mformdata->context = $this->context;
983 $mformdata->maxbytes = $this->course->maxbytes;
984 $mformdata->courseid = $this->course->id;
985 $mformdata->teacher = $teacher;
986 $mformdata->assignment = $assignment;
987 $mformdata->submission = $submission;
988 $mformdata->lateness = $this->display_lateness($submission->timemodified);
989 $mformdata->auser = $auser;
990 $mformdata->user = $user;
991 $mformdata->offset = $offset;
992 $mformdata->userid = $userid;
993 $mformdata->cm = $this->cm;
994 $mformdata->grading_info = $grading_info;
995 $mformdata->enableoutcomes = $CFG->enableoutcomes;
996 $mformdata->grade = $this->assignment->grade;
997 $mformdata->gradingdisabled = $gradingdisabled;
998 $mformdata->usehtmleditor = $this->usehtmleditor;
999 $mformdata->nextid = $nextid;
1000 $mformdata->submissioncomment= $submission->submissioncomment;
1001 $mformdata->submissioncommentformat= FORMAT_HTML;
1002 $mformdata->submission_content= $this->print_user_files($user->id,true);
1004 $submitform = new mod_assignment_grading_form( null, $mformdata );
1006 if ($submitform->is_cancelled()) {
1007 redirect('submissions.php?id='.$this->cm->id);
1010 $submitform->set_data($mformdata);
1012 $PAGE->set_title($this->course->fullname . ': ' .get_string('feedback', 'assignment').' - '.fullname($user, true));
1013 $PAGE->set_heading($this->course->fullname);
1014 $PAGE->navbar->add( get_string('submissions', 'assignment') );
1016 echo $OUTPUT->header();
1017 echo $OUTPUT->heading(get_string('feedback', 'assignment').': '.fullname($user, true));
1019 // display mform here...
1020 $submitform->display();
1022 $customfeedback = $this->custom_feedbackform($submission, true);
1023 if (!empty($customfeedback)) {
1024 echo $customfeedback;
1027 echo $OUTPUT->footer();
1031 * Preprocess submission before grading
1033 * Called by display_submission()
1034 * The default type does nothing here.
1036 * @param object $submission The submission object
1038 function preprocess_submission(&$submission) {
1042 * Display all the submissions ready for grading
1048 * @param string $message
1051 function display_submissions($message='') {
1052 global $CFG, $DB, $USER, $DB, $OUTPUT, $PAGE;
1053 require_once($CFG->libdir.'/gradelib.php');
1055 /* first we check to see if the form has just been submitted
1056 * to request user_preference updates
1058 if (isset($_POST['updatepref'])){
1059 $perpage = optional_param('perpage', 10, PARAM_INT);
1060 $perpage = ($perpage <= 0) ? 10 : $perpage ;
1061 set_user_preference('assignment_perpage', $perpage);
1062 set_user_preference('assignment_quickgrade', optional_param('quickgrade', 0, PARAM_BOOL));
1065 /* next we get perpage and quickgrade (allow quick grade) params
1068 $perpage = get_user_preferences('assignment_perpage', 10);
1070 $quickgrade = get_user_preferences('assignment_quickgrade', 0);
1072 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id);
1074 if (!empty($CFG->enableoutcomes) and !empty($grading_info->outcomes)) {
1075 $uses_outcomes = true;
1077 $uses_outcomes = false;
1080 $page = optional_param('page', 0, PARAM_INT);
1081 $strsaveallfeedback = get_string('saveallfeedback', 'assignment');
1083 /// Some shortcuts to make the code read better
1085 $course = $this->course;
1086 $assignment = $this->assignment;
1089 $tabindex = 1; //tabindex for quick grading tabbing; Not working for dropdowns yet
1090 add_to_log($course->id, 'assignment', 'view submission', 'submissions.php?id='.$this->cm->id, $this->assignment->id, $this->cm->id);
1092 $PAGE->set_title(format_string($this->assignment->name,true));
1093 $PAGE->set_heading($this->course->fullname);
1094 echo $OUTPUT->header();
1096 /// Print quickgrade form around the table
1098 echo '<form action="submissions.php" id="fastg" method="post">';
1100 echo '<input type="hidden" name="id" value="'.$this->cm->id.'" />';
1101 echo '<input type="hidden" name="mode" value="fastgrade" />';
1102 echo '<input type="hidden" name="page" value="'.$page.'" />';
1103 echo '<input type="hidden" name="sesskey" value="'.sesskey().'" />';
1107 $course_context = get_context_instance(CONTEXT_COURSE, $course->id);
1108 if (has_capability('gradereport/grader:view', $course_context) && has_capability('moodle/grade:viewall', $course_context)) {
1109 echo '<div class="allcoursegrades"><a href="' . $CFG->wwwroot . '/grade/report/grader/index.php?id=' . $course->id . '">'
1110 . get_string('seeallcoursegrades', 'grades') . '</a></div>';
1113 if (!empty($message)) {
1114 echo $message; // display messages here if any
1117 $context = get_context_instance(CONTEXT_MODULE, $cm->id);
1119 /// Check to see if groups are being used in this assignment
1121 /// find out current groups mode
1122 $groupmode = groups_get_activity_groupmode($cm);
1123 $currentgroup = groups_get_activity_group($cm, true);
1124 groups_print_activity_menu($cm, $CFG->wwwroot . '/mod/assignment/submissions.php?id=' . $this->cm->id);
1126 /// Get all ppl that are allowed to submit assignments
1127 if ($users = get_enrolled_users($context, 'mod/assignment:submit', $currentgroup, 'u.id')) {
1128 $users = array_keys($users);
1131 // if groupmembersonly used, remove users who are not in any group
1132 if ($users and !empty($CFG->enablegroupmembersonly) and $cm->groupmembersonly) {
1133 if ($groupingusers = groups_get_grouping_members($cm->groupingid, 'u.id', 'u.id')) {
1134 $users = array_intersect($users, array_keys($groupingusers));
1138 $tablecolumns = array('picture', 'fullname', 'grade', 'submissioncomment', 'timemodified', 'timemarked', 'status', 'finalgrade');
1139 if ($uses_outcomes) {
1140 $tablecolumns[] = 'outcome'; // no sorting based on outcomes column
1143 $tableheaders = array('',
1144 get_string('fullname'),
1145 get_string('grade'),
1146 get_string('comment', 'assignment'),
1147 get_string('lastmodified').' ('.get_string('submission', 'assignment').')',
1148 get_string('lastmodified').' ('.get_string('grade').')',
1149 get_string('status'),
1150 get_string('finalgrade', 'grades'));
1151 if ($uses_outcomes) {
1152 $tableheaders[] = get_string('outcome', 'grades');
1155 require_once($CFG->libdir.'/tablelib.php');
1156 $table = new flexible_table('mod-assignment-submissions');
1158 $table->define_columns($tablecolumns);
1159 $table->define_headers($tableheaders);
1160 $table->define_baseurl($CFG->wwwroot.'/mod/assignment/submissions.php?id='.$this->cm->id.'&currentgroup='.$currentgroup);
1162 $table->sortable(true, 'lastname');//sorted by lastname by default
1163 $table->collapsible(true);
1164 $table->initialbars(true);
1166 $table->column_suppress('picture');
1167 $table->column_suppress('fullname');
1169 $table->column_class('picture', 'picture');
1170 $table->column_class('fullname', 'fullname');
1171 $table->column_class('grade', 'grade');
1172 $table->column_class('submissioncomment', 'comment');
1173 $table->column_class('timemodified', 'timemodified');
1174 $table->column_class('timemarked', 'timemarked');
1175 $table->column_class('status', 'status');
1176 $table->column_class('finalgrade', 'finalgrade');
1177 if ($uses_outcomes) {
1178 $table->column_class('outcome', 'outcome');
1181 $table->set_attribute('cellspacing', '0');
1182 $table->set_attribute('id', 'attempts');
1183 $table->set_attribute('class', 'submissions');
1184 $table->set_attribute('width', '100%');
1185 //$table->set_attribute('align', 'center');
1187 $table->no_sorting('finalgrade');
1188 $table->no_sorting('outcome');
1190 // Start working -- this is necessary as soon as the niceties are over
1193 if (empty($users)) {
1194 echo $OUTPUT->heading(get_string('nosubmitusers','assignment'));
1198 if ($this->assignment->assignmenttype=='upload' || $this->assignment->assignmenttype=='online' || $this->assignment->assignmenttype=='uploadsingle') { //TODO: this is an ugly hack, where is the plugin spirit? (skodak)
1199 echo '<div style="text-align:right"><a href="submissions.php?id='.$this->cm->id.'&download=zip">'.get_string('downloadall', 'assignment').'</a></div>';
1201 /// Construct the SQL
1203 if ($where = $table->get_sql_where()) {
1207 if ($sort = $table->get_sql_sort()) {
1208 $sort = ' ORDER BY '.$sort;
1211 $ufields = user_picture::fields('u');
1212 $select = "SELECT $ufields,
1213 s.id AS submissionid, s.grade, s.submissioncomment,
1214 s.timemodified, s.timemarked,
1215 COALESCE(SIGN(SIGN(s.timemarked) + SIGN(s.timemarked - s.timemodified)), 0) AS status ";
1216 $sql = 'FROM {user} u '.
1217 'LEFT JOIN {assignment_submissions} s ON u.id = s.userid
1218 AND s.assignment = '.$this->assignment->id.' '.
1219 'WHERE '.$where.'u.id IN ('.implode(',',$users).') ';
1221 $table->pagesize($perpage, count($users));
1223 ///offset used to calculate index of student in that particular query, needed for the pop up to know who's next
1224 $offset = $page * $perpage;
1226 $strupdate = get_string('update');
1227 $strgrade = get_string('grade');
1228 $grademenu = make_grades_menu($this->assignment->grade);
1230 if (($ausers = $DB->get_records_sql($select.$sql.$sort, null, $table->get_page_start(), $table->get_page_size())) !== false) {
1231 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, array_keys($ausers));
1232 foreach ($ausers as $auser) {
1233 $final_grade = $grading_info->items[0]->grades[$auser->id];
1234 $grademax = $grading_info->items[0]->grademax;
1235 $final_grade->formatted_grade = round($final_grade->grade,2) .' / ' . round($grademax,2);
1236 $locked_overridden = 'locked';
1237 if ($final_grade->overridden) {
1238 $locked_overridden = 'overridden';
1241 /// Calculate user status
1242 $auser->status = ($auser->timemarked > 0) && ($auser->timemarked >= $auser->timemodified);
1243 $picture = $OUTPUT->user_picture($auser);
1245 if (empty($auser->submissionid)) {
1246 $auser->grade = -1; //no submission yet
1249 if (!empty($auser->submissionid)) {
1250 ///Prints student answer and student modified date
1251 ///attach file or print link to student answer, depending on the type of the assignment.
1252 ///Refer to print_student_answer in inherited classes.
1253 if ($auser->timemodified > 0) {
1254 $studentmodified = '<div id="ts'.$auser->id.'">'.$this->print_student_answer($auser->id)
1255 . userdate($auser->timemodified).'</div>';
1257 $studentmodified = '<div id="ts'.$auser->id.'"> </div>';
1259 ///Print grade, dropdown or text
1260 if ($auser->timemarked > 0) {
1261 $teachermodified = '<div id="tt'.$auser->id.'">'.userdate($auser->timemarked).'</div>';
1263 if ($final_grade->locked or $final_grade->overridden) {
1264 $grade = '<div id="g'.$auser->id.'" class="'. $locked_overridden .'">'.$final_grade->formatted_grade.'</div>';
1265 } else if ($quickgrade) {
1266 $attributes = array();
1267 $attributes['tabindex'] = $tabindex++;
1268 $menu = html_writer::select(make_grades_menu($this->assignment->grade), 'menu['.$auser->id.']', $auser->grade, array(-1=>get_string('nograde')), $attributes);
1269 $grade = '<div id="g'.$auser->id.'">'. $menu .'</div>';
1271 $grade = '<div id="g'.$auser->id.'">'.$this->display_grade($auser->grade).'</div>';
1275 $teachermodified = '<div id="tt'.$auser->id.'"> </div>';
1276 if ($final_grade->locked or $final_grade->overridden) {
1277 $grade = '<div id="g'.$auser->id.'" class="'. $locked_overridden .'">'.$final_grade->formatted_grade.'</div>';
1278 } else if ($quickgrade) {
1279 $attributes = array();
1280 $attributes['tabindex'] = $tabindex++;
1281 $menu = html_writer::select(make_grades_menu($this->assignment->grade), 'menu['.$auser->id.']', $auser->grade, array(-1=>get_string('nograde')), $attributes);
1282 $grade = '<div id="g'.$auser->id.'">'.$menu.'</div>';
1284 $grade = '<div id="g'.$auser->id.'">'.$this->display_grade($auser->grade).'</div>';
1288 if ($final_grade->locked or $final_grade->overridden) {
1289 $comment = '<div id="com'.$auser->id.'">'.shorten_text(strip_tags($final_grade->str_feedback),15).'</div>';
1291 } else if ($quickgrade) {
1292 $comment = '<div id="com'.$auser->id.'">'
1293 . '<textarea tabindex="'.$tabindex++.'" name="submissioncomment['.$auser->id.']" id="submissioncomment'
1294 . $auser->id.'" rows="2" cols="20">'.($auser->submissioncomment).'</textarea></div>';
1296 $comment = '<div id="com'.$auser->id.'">'.shorten_text(strip_tags($auser->submissioncomment),15).'</div>';
1299 $studentmodified = '<div id="ts'.$auser->id.'"> </div>';
1300 $teachermodified = '<div id="tt'.$auser->id.'"> </div>';
1301 $status = '<div id="st'.$auser->id.'"> </div>';
1303 if ($final_grade->locked or $final_grade->overridden) {
1304 $grade = '<div id="g'.$auser->id.'">'.$final_grade->formatted_grade . '</div>';
1305 } else if ($quickgrade) { // allow editing
1306 $attributes = array();
1307 $attributes['tabindex'] = $tabindex++;
1308 $menu = html_writer::select(make_grades_menu($this->assignment->grade), 'menu['.$auser->id.']', $auser->grade, array(-1=>get_string('nograde')), $attributes);
1309 $grade = '<div id="g'.$auser->id.'">'.$menu.'</div>';
1311 $grade = '<div id="g'.$auser->id.'">-</div>';
1314 if ($final_grade->locked or $final_grade->overridden) {
1315 $comment = '<div id="com'.$auser->id.'">'.$final_grade->str_feedback.'</div>';
1316 } else if ($quickgrade) {
1317 $comment = '<div id="com'.$auser->id.'">'
1318 . '<textarea tabindex="'.$tabindex++.'" name="submissioncomment['.$auser->id.']" id="submissioncomment'
1319 . $auser->id.'" rows="2" cols="20">'.($auser->submissioncomment).'</textarea></div>';
1321 $comment = '<div id="com'.$auser->id.'"> </div>';
1325 if (empty($auser->status)) { /// Confirm we have exclusively 0 or 1
1331 $buttontext = ($auser->status == 1) ? $strupdate : $strgrade;
1333 ///No more buttons, we use popups ;-).
1334 $popup_url = '/mod/assignment/submissions.php?id='.$this->cm->id
1335 . '&userid='.$auser->id.'&mode=single'.'&offset='.$offset++;
1337 $button = $OUTPUT->action_link($popup_url, $buttontext);
1339 $status = '<div id="up'.$auser->id.'" class="s'.$auser->status.'">'.$button.'</div>';
1341 $finalgrade = '<span id="finalgrade_'.$auser->id.'">'.$final_grade->str_grade.'</span>';
1345 if ($uses_outcomes) {
1347 foreach($grading_info->outcomes as $n=>$outcome) {
1348 $outcomes .= '<div class="outcome"><label>'.$outcome->name.'</label>';
1349 $options = make_grades_menu(-$outcome->scaleid);
1351 if ($outcome->grades[$auser->id]->locked or !$quickgrade) {
1352 $options[0] = get_string('nooutcome', 'grades');
1353 $outcomes .= ': <span id="outcome_'.$n.'_'.$auser->id.'">'.$options[$outcome->grades[$auser->id]->grade].'</span>';
1355 $attributes = array();
1356 $attributes['tabindex'] = $tabindex++;
1357 $attributes['id'] = 'outcome_'.$n.'_'.$auser->id;
1358 $outcomes .= ' '.html_writer::select($options, 'outcome_'.$n.'['.$auser->id.']', $outcome->grades[$auser->id]->grade, array(0=>get_string('nooutcome', 'grades')), $attributes);
1360 $outcomes .= '</div>';
1364 $userlink = '<a href="' . $CFG->wwwroot . '/user/view.php?id=' . $auser->id . '&course=' . $course->id . '">' . fullname($auser) . '</a>';
1365 $row = array($picture, $userlink, $grade, $comment, $studentmodified, $teachermodified, $status, $finalgrade);
1366 if ($uses_outcomes) {
1370 $table->add_data($row);
1374 $table->print_html(); /// Print the whole table
1377 $lastmailinfo = get_user_preferences('assignment_mailinfo', 1) ? 'checked="checked"' : '';
1378 echo '<div class="fgcontrols">';
1379 echo '<div class="emailnotification">';
1380 echo '<label for="mailinfo">'.get_string('enableemailnotification','assignment').'</label>';
1381 echo '<input type="hidden" name="mailinfo" value="0" />';
1382 echo '<input type="checkbox" id="mailinfo" name="mailinfo" value="1" '.$lastmailinfo.' />';
1383 echo $OUTPUT->help_icon('enableemailnotification', 'assignment');
1386 echo '<div class="fastgbutton"><input type="submit" name="fastg" value="'.get_string('saveallfeedback', 'assignment').'" /></div>';
1389 /// End of fast grading form
1391 /// Mini form for setting user preference
1392 echo '<div class="qgprefs">';
1393 echo '<form id="options" action="submissions.php?id='.$this->cm->id.'" method="post"><div>';
1394 echo '<input type="hidden" name="updatepref" value="1" />';
1395 echo '<table id="optiontable">';
1397 echo '<label for="perpage">'.get_string('pagesize','assignment').'</label>';
1400 echo '<input type="text" id="perpage" name="perpage" size="1" value="'.$perpage.'" />';
1403 echo '<label for="quickgrade">'.get_string('quickgrade','assignment').'</label>';
1406 $checked = $quickgrade ? 'checked="checked"' : '';
1407 echo '<input type="checkbox" id="quickgrade" name="quickgrade" value="1" '.$checked.' />';
1408 echo '<p>'.$OUTPUT->help_icon('quickgrade', 'assignment').'</p>';
1411 echo '<tr><td colspan="2">';
1412 echo '<input type="submit" value="'.get_string('savepreferences').'" />';
1413 echo '</td></tr></table>';
1414 echo '</div></form></div>';
1416 echo $OUTPUT->footer();
1420 * Process teacher feedback submission
1422 * This is called by submissions() when a grading even has taken place.
1423 * It gets its data from the submitted form.
1428 * @return object|bool The updated submission object or false
1430 function process_feedback() {
1431 global $CFG, $USER, $DB;
1432 require_once($CFG->libdir.'/gradelib.php');
1434 if (!$feedback = data_submitted() or !confirm_sesskey()) { // No incoming data?
1438 ///For save and next, we need to know the userid to save, and the userid to go
1439 ///We use a new hidden field in the form, and set it to -1. If it's set, we use this
1440 ///as the userid to store
1441 if ((int)$feedback->saveuserid !== -1){
1442 $feedback->userid = $feedback->saveuserid;
1445 if (!empty($feedback->cancel)) { // User hit cancel button
1449 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, $feedback->userid);
1451 // store outcomes if needed
1452 $this->process_outcomes($feedback->userid);
1454 $submission = $this->get_submission($feedback->userid, true); // Get or make one
1456 if (!($grading_info->items[0]->grades[$feedback->userid]->locked ||
1457 $grading_info->items[0]->grades[$feedback->userid]->overridden) ) {
1459 $submission->grade = $feedback->xgrade;
1460 $submission->submissioncomment = $feedback->submissioncomment_editor['text'];
1461 $submission->format = $feedback->format;
1462 $submission->teacher = $USER->id;
1463 $mailinfo = get_user_preferences('assignment_mailinfo', 0);
1465 $submission->mailed = 1; // treat as already mailed
1467 $submission->mailed = 0; // Make sure mail goes out (again, even)
1469 $submission->timemarked = time();
1471 unset($submission->data1); // Don't need to update this.
1472 unset($submission->data2); // Don't need to update this.
1474 if (empty($submission->timemodified)) { // eg for offline assignments
1475 // $submission->timemodified = time();
1478 $DB->update_record('assignment_submissions', $submission);
1480 // triger grade event
1481 $this->update_grade($submission);
1483 add_to_log($this->course->id, 'assignment', 'update grades',
1484 'submissions.php?id='.$this->assignment->id.'&user='.$feedback->userid, $feedback->userid, $this->cm->id);
1491 function process_outcomes($userid) {
1494 if (empty($CFG->enableoutcomes)) {
1498 require_once($CFG->libdir.'/gradelib.php');
1500 if (!$formdata = data_submitted() or !confirm_sesskey()) {
1505 $grading_info = grade_get_grades($this->course->id, 'mod', 'assignment', $this->assignment->id, $userid);
1507 if (!empty($grading_info->outcomes)) {
1508 foreach($grading_info->outcomes as $n=>$old) {
1509 $name = 'outcome_'.$n;
1510 if (isset($formdata->{$name}[$userid]) and $old->grades[$userid]->grade != $formdata->{$name}[$userid]) {
1511 $data[$n] = $formdata->{$name}[$userid];
1515 if (count($data) > 0) {
1516 grade_update_outcomes('mod/assignment', $this->course->id, 'mod', 'assignment', $this->assignment->id, $userid, $data);
1522 * Load the submission object for a particular user
1526 * @param $userid int The id of the user whose submission we want or 0 in which case USER->id is used
1527 * @param $createnew boolean optional Defaults to false. If set to true a new submission object will be created in the database
1528 * @param bool $teachermodified student submission set if false
1529 * @return object The submission
1531 function get_submission($userid=0, $createnew=false, $teachermodified=false) {
1534 if (empty($userid)) {
1535 $userid = $USER->id;
1538 $submission = $DB->get_record('assignment_submissions', array('assignment'=>$this->assignment->id, 'userid'=>$userid));
1540 if ($submission || !$createnew) {
1543 $newsubmission = $this->prepare_new_submission($userid, $teachermodified);
1544 $DB->insert_record("assignment_submissions", $newsubmission);
1546 return $DB->get_record('assignment_submissions', array('assignment'=>$this->assignment->id, 'userid'=>$userid));
1550 * Instantiates a new submission object for a given user
1552 * Sets the assignment, userid and times, everything else is set to default values.
1554 * @param int $userid The userid for which we want a submission object
1555 * @param bool $teachermodified student submission set if false
1556 * @return object The submission
1558 function prepare_new_submission($userid, $teachermodified=false) {
1559 $submission = new Object;
1560 $submission->assignment = $this->assignment->id;
1561 $submission->userid = $userid;
1562 $submission->timecreated = time();
1563 // teachers should not be modifying modified date, except offline assignments
1564 if ($teachermodified) {
1565 $submission->timemodified = 0;
1567 $submission->timemodified = $submission->timecreated;
1569 $submission->numfiles = 0;
1570 $submission->data1 = '';
1571 $submission->data2 = '';
1572 $submission->grade = -1;
1573 $submission->submissioncomment = '';
1574 $submission->format = 0;
1575 $submission->teacher = 0;
1576 $submission->timemarked = 0;
1577 $submission->mailed = 0;
1582 * Return all assignment submissions by ENROLLED students (even empty)
1584 * @param string $sort optional field names for the ORDER BY in the sql query
1585 * @param string $dir optional specifying the sort direction, defaults to DESC
1586 * @return array The submission objects indexed by id
1588 function get_submissions($sort='', $dir='DESC') {
1589 return assignment_get_all_submissions($this->assignment, $sort, $dir);
1593 * Counts all real assignment submissions by ENROLLED students (not empty ones)
1595 * @param int $groupid optional If nonzero then count is restricted to this group
1596 * @return int The number of submissions
1598 function count_real_submissions($groupid=0) {
1599 return assignment_count_real_submissions($this->cm, $groupid);
1603 * Alerts teachers by email of new or changed assignments that need grading
1605 * First checks whether the option to email teachers is set for this assignment.
1606 * Sends an email to ALL teachers in the course (or in the group if using separate groups).
1607 * Uses the methods email_teachers_text() and email_teachers_html() to construct the content.
1611 * @param $submission object The submission that has changed
1614 function email_teachers($submission) {
1617 if (empty($this->assignment->emailteachers)) { // No need to do anything
1621 $user = $DB->get_record('user', array('id'=>$submission->userid));
1623 if ($teachers = $this->get_graders($user)) {
1625 $strassignments = get_string('modulenameplural', 'assignment');
1626 $strassignment = get_string('modulename', 'assignment');
1627 $strsubmitted = get_string('submitted', 'assignment');
1629 foreach ($teachers as $teacher) {
1630 $info = new object();
1631 $info->username = fullname($user, true);
1632 $info->assignment = format_string($this->assignment->name,true);
1633 $info->url = $CFG->wwwroot.'/mod/assignment/submissions.php?id='.$this->cm->id;
1635 $postsubject = $strsubmitted.': '.$info->username.' -> '.$this->assignment->name;
1636 $posttext = $this->email_teachers_text($info);
1637 $posthtml = ($teacher->mailformat == 1) ? $this->email_teachers_html($info) : '';
1639 $eventdata = new object();
1640 $eventdata->modulename = 'assignment';
1641 $eventdata->userfrom = $user;
1642 $eventdata->userto = $teacher;
1643 $eventdata->subject = $postsubject;
1644 $eventdata->fullmessage = $posttext;
1645 $eventdata->fullmessageformat = FORMAT_PLAIN;
1646 $eventdata->fullmessagehtml = $posthtml;
1647 $eventdata->smallmessage = '';
1648 message_send($eventdata);
1654 * @param string $filearea
1655 * @param array $args
1658 function send_file($filearea, $args) {
1659 debugging('plugin does not implement file sending', DEBUG_DEVELOPER);
1664 * Returns a list of teachers that should be grading given submission
1666 * @param object $user
1669 function get_graders($user) {
1671 $potgraders = get_users_by_capability($this->context, 'mod/assignment:grade', '', '', '', '', '', '', false, false);
1674 if (groups_get_activity_groupmode($this->cm) == SEPARATEGROUPS) { // Separate groups are being used
1675 if ($groups = groups_get_all_groups($this->course->id, $user->id)) { // Try to find all groups
1676 foreach ($groups as $group) {
1677 foreach ($potgraders as $t) {
1678 if ($t->id == $user->id) {
1679 continue; // do not send self
1681 if (groups_is_member($group->id, $t->id)) {
1682 $graders[$t->id] = $t;
1687 // user not in group, try to find graders without group
1688 foreach ($potgraders as $t) {
1689 if ($t->id == $user->id) {
1690 continue; // do not send self
1692 if (!groups_get_all_groups($this->course->id, $t->id)) { //ugly hack
1693 $graders[$t->id] = $t;
1698 foreach ($potgraders as $t) {
1699 if ($t->id == $user->id) {
1700 continue; // do not send self
1702 $graders[$t->id] = $t;
1709 * Creates the text content for emails to teachers
1711 * @param $info object The info used by the 'emailteachermail' language string
1714 function email_teachers_text($info) {
1715 $posttext = format_string($this->course->shortname).' -> '.$this->strassignments.' -> '.
1716 format_string($this->assignment->name)."\n";
1717 $posttext .= '---------------------------------------------------------------------'."\n";
1718 $posttext .= get_string("emailteachermail", "assignment", $info)."\n";
1719 $posttext .= "\n---------------------------------------------------------------------\n";
1724 * Creates the html content for emails to teachers
1726 * @param $info object The info used by the 'emailteachermailhtml' language string
1729 function email_teachers_html($info) {
1731 $posthtml = '<p><font face="sans-serif">'.
1732 '<a href="'.$CFG->wwwroot.'/course/view.php?id='.$this->course->id.'">'.format_string($this->course->shortname).'</a> ->'.
1733 '<a href="'.$CFG->wwwroot.'/mod/assignment/index.php?id='.$this->course->id.'">'.$this->strassignments.'</a> ->'.
1734 '<a href="'.$CFG->wwwroot.'/mod/assignment/view.php?id='.$this->cm->id.'">'.format_string($this->assignment->name).'</a></font></p>';
1735 $posthtml .= '<hr /><font face="sans-serif">';
1736 $posthtml .= '<p>'.get_string('emailteachermailhtml', 'assignment', $info).'</p>';
1737 $posthtml .= '</font><hr />';
1742 * Produces a list of links to the files uploaded by a user
1744 * @param $userid int optional id of the user. If 0 then $USER->id is used.
1745 * @param $return boolean optional defaults to false. If true the list is returned rather than printed
1746 * @return string optional
1748 function print_user_files($userid=0, $return=false) {
1749 global $CFG, $USER, $OUTPUT;
1752 if (!isloggedin()) {
1755 $userid = $USER->id;
1760 $fs = get_file_storage();
1764 $submission = $this->get_submission($userid);
1766 if (($submission) && $files = $fs->get_area_files($this->context->id, 'mod_assignment', 'submission', $submission->id, "timemodified", false)) {
1767 require_once($CFG->libdir.'/portfoliolib.php');
1768 require_once($CFG->dirroot . '/mod/assignment/locallib.php');
1769 $button = new portfolio_add_button();
1770 foreach ($files as $file) {
1771 $filename = $file->get_filename();
1773 $mimetype = $file->get_mimetype();
1774 $path = file_encode_url($CFG->wwwroot.'/pluginfile.php', '/'.$this->context->id.'/mod_assignment/submission/'.$submission->id.'/'.$filename);
1775 $output .= '<a href="'.$path.'" ><img src="'.$OUTPUT->pix_url(file_mimetype_icon($mimetype)).'" class="icon" alt="'.$mimetype.'" />'.s($filename).'</a>';
1776 if ($this->portfolio_exportable() && has_capability('mod/assignment:exportownsubmission', $this->context)) {
1777 $button->set_callback_options('assignment_portfolio_caller', array('id' => $this->cm->id, 'fileid' => $file->get_id()), '/mod/assignment/locallib.php');
1778 $button->set_format_by_file($file);
1779 $output .= $button->to_html(PORTFOLIO_ADD_ICON_LINK);
1782 if (count($files) > 1 && $this->portfolio_exportable() && has_capability('mod/assignment:exportownsubmission', $this->context)) {
1783 $button->set_callback_options('assignment_portfolio_caller', array('id' => $this->cm->id), '/mod/assignment/locallib.php');
1784 $output .= '<br />' . $button->to_html();
1788 $output = '<div class="files">'.$output.'</div>';
1797 * Count the files uploaded by a given user
1799 * @param $itemid int The submission's id as the file's itemid.
1802 function count_user_files($itemid) {
1803 $fs = get_file_storage();
1804 $files = $fs->get_area_files($this->context->id, 'mod_assignment', 'submission', $itemid, "id", false);
1805 return count($files);
1809 * Returns true if the student is allowed to submit
1811 * Checks that the assignment has started and, if the option to prevent late
1812 * submissions is set, also checks that the assignment has not yet closed.
1817 if ($this->assignment->preventlate && $this->assignment->timedue) {
1818 return ($this->assignment->timeavailable <= $time && $time <= $this->assignment->timedue);
1820 return ($this->assignment->timeavailable <= $time);
1826 * Return true if is set description is hidden till available date
1828 * This is needed by calendar so that hidden descriptions do not
1829 * come up in upcoming events.
1831 * Check that description is hidden till available date
1832 * By default return false
1833 * Assignments types should implement this method if needed
1836 function description_is_hidden() {
1841 * Return an outline of the user's interaction with the assignment
1843 * The default method prints the grade and timemodified
1844 * @param $grade object
1845 * @return object with properties ->info and ->time
1847 function user_outline($grade) {
1849 $result = new object();
1850 $result->info = get_string('grade').': '.$grade->str_long_grade;
1851 $result->time = $grade->dategraded;
1856 * Print complete information about the user's interaction with the assignment
1858 * @param $user object
1860 function user_complete($user, $grade=null) {
1863 echo $OUTPUT->container(get_string('grade').': '.$grade->str_long_grade);
1864 if ($grade->str_feedback) {
1865 echo $OUTPUT->container(get_string('feedback').': '.$grade->str_feedback);
1869 if ($submission = $this->get_submission($user->id)) {
1871 $fs = get_file_storage();
1873 if ($files = $fs->get_area_files($this->context->id, 'mod_assignment', 'submission', $submission->id, "timemodified", false)) {
1874 $countfiles = count($files)." ".get_string("uploadedfiles", "assignment");
1875 foreach ($files as $file) {
1876 $countfiles .= "; ".$file->get_filename();
1880 echo $OUTPUT->box_start();
1881 echo get_string("lastmodified").": ";
1882 echo userdate($submission->timemodified);
1883 echo $this->display_lateness($submission->timemodified);
1885 $this->print_user_files($user->id);
1889 $this->view_feedback($submission);
1891 echo $OUTPUT->box_end();
1894 print_string("notsubmittedyet", "assignment");
1899 * Return a string indicating how late a submission is
1901 * @param $timesubmitted int
1904 function display_lateness($timesubmitted) {
1905 return assignment_display_lateness($timesubmitted, $this->assignment->timedue);
1909 * Empty method stub for all delete actions.
1912 //nothing by default
1913 redirect('view.php?id='.$this->cm->id);
1917 * Empty custom feedback grading form.
1919 function custom_feedbackform($submission, $return=false) {
1920 //nothing by default
1925 * Add a get_coursemodule_info function in case any assignment type wants to add 'extra' information
1926 * for the course (see resource).
1928 * Given a course_module object, this function returns any "extra" information that may be needed
1929 * when printing this activity in a course listing. See get_array_of_activities() in course/lib.php.
1931 * @param $coursemodule object The coursemodule object (record).
1932 * @return object An object on information that the coures will know about (most noticeably, an icon).
1935 function get_coursemodule_info($coursemodule) {
1940 * Plugin cron method - do not use $this here, create new assignment instances if needed.
1944 //no plugin cron by default - override if needed
1948 * Reset all submissions
1950 function reset_userdata($data) {
1953 if (!$DB->count_records('assignment', array('course'=>$data->courseid, 'assignmenttype'=>$this->type))) {
1954 return array(); // no assignments of this type present
1957 $componentstr = get_string('modulenameplural', 'assignment');
1960 $typestr = get_string('type'.$this->type, 'assignment');
1961 // ugly hack to support pluggable assignment type titles...
1962 if($typestr === '[[type'.$this->type.']]'){
1963 $typestr = get_string('type'.$this->type, 'assignment_'.$this->type);
1966 if (!empty($data->reset_assignment_submissions)) {
1967 $assignmentssql = "SELECT a.id
1969 WHERE a.course=? AND a.assignmenttype=?";
1970 $params = array($data->courseid, $this->type);
1972 // now get rid of all submissions and responses
1973 $fs = get_file_storage();
1974 if ($assignments = $DB->get_records_sql($assignmentssql, $params)) {
1975 foreach ($assignments as $assignmentid=>$unused) {
1976 if (!$cm = get_coursemodule_from_instance('assignment', $assignmentid)) {
1979 $context = get_context_instance(CONTEXT_MODULE, $cm->id);
1980 $fs->delete_area_files($context->id, 'mod_assignment', 'submission');
1981 $fs->delete_area_files($context->id, 'mod_assignment', 'response');
1985 $DB->delete_records_select('assignment_submissions', "assignment IN ($assignmentssql)", $params);
1987 $status[] = array('component'=>$componentstr, 'item'=>get_string('deleteallsubmissions','assignment').': '.$typestr, 'error'=>false);
1989 if (empty($data->reset_gradebook_grades)) {
1990 // remove all grades from gradebook
1991 assignment_reset_gradebook($data->courseid, $this->type);
1995 /// updating dates - shift may be negative too
1996 if ($data->timeshift) {
1997 shift_course_mod_dates('assignment', array('timedue', 'timeavailable'), $data->timeshift, $data->courseid);
1998 $status[] = array('component'=>$componentstr, 'item'=>get_string('datechanged').': '.$typestr, 'error'=>false);
2005 function portfolio_exportable() {
2010 * base implementation for backing up subtype specific information
2011 * for one single module
2013 * @param filehandle $bf file handle for xml file to write to
2014 * @param mixed $preferences the complete backup preference object
2020 static function backup_one_mod($bf, $preferences, $assignment) {
2025 * base implementation for backing up subtype specific information
2026 * for one single submission
2028 * @param filehandle $bf file handle for xml file to write to
2029 * @param mixed $preferences the complete backup preference object
2030 * @param object $submission the assignment submission db record
2036 static function backup_one_submission($bf, $preferences, $assignment, $submission) {
2041 * base implementation for restoring subtype specific information
2042 * for one single module
2044 * @param array $info the array representing the xml
2045 * @param object $restore the restore preferences
2051 static function restore_one_mod($info, $restore, $assignment) {
2056 * base implementation for restoring subtype specific information
2057 * for one single submission
2059 * @param object $submission the newly created submission
2060 * @param array $info the array representing the xml
2061 * @param object $restore the restore preferences
2067 static function restore_one_submission($info, $restore, $assignment, $submission) {
2071 } ////// End of the assignment_base class
2074 class mod_assignment_grading_form extends moodleform {
2076 function definition() {
2078 $mform =& $this->_form;
2080 $formattr = $mform->getAttributes();
2081 $formattr['id'] = 'submitform';
2082 $mform->setAttributes($formattr);
2084 $mform->addElement('hidden', 'offset', ($this->_customdata->offset+1));
2085 $mform->setType('offset', PARAM_INT);
2086 $mform->addElement('hidden', 'userid', $this->_customdata->userid);
2087 $mform->setType('userid', PARAM_INT);
2088 $mform->addElement('hidden', 'nextid', $this->_customdata->nextid);
2089 $mform->setType('nextid', PARAM_INT);
2090 $mform->addElement('hidden', 'id', $this->_customdata->cm->id);
2091 $mform->setType('id', PARAM_INT);
2092 $mform->addElement('hidden', 'sesskey', sesskey());
2093 $mform->setType('sesskey', PARAM_ALPHANUM);
2094 $mform->addElement('hidden', 'mode', 'grade');
2095 $mform->setType('mode', PARAM_INT);
2096 $mform->addElement('hidden', 'menuindex', "0");
2097 $mform->setType('menuindex', PARAM_INT);
2098 $mform->addElement('hidden', 'saveuserid', "-1");
2099 $mform->setType('saveuserid', PARAM_INT);
2101 $mform->addElement('static', 'picture', $OUTPUT->user_picture($this->_customdata->user),
2102 fullname($this->_customdata->user, true) . '<br/>' .
2103 userdate($this->_customdata->submission->timemodified) .
2104 $this->_customdata->lateness );
2106 $this->add_grades_section();
2108 $this->add_feedback_section();
2110 if ($this->_customdata->submission->timemarked) {
2111 $mform->addElement('header', 'Last Grade', get_string('lastgrade', 'assignment'));
2112 $mform->addElement('static', 'picture', $OUTPUT->user_picture($this->_customdata->teacher) ,
2113 fullname($this->_customdata->teacher,true).
2115 userdate($this->_customdata->submission->timemarked));
2118 $this->add_action_buttons();
2120 $this->add_submission_content();
2123 function add_grades_section() {
2125 $mform =& $this->_form;
2126 $attributes = array();
2127 if ($this->_customdata->gradingdisabled) {
2128 $attributes['disabled'] ='disabled';
2131 $grademenu = make_grades_menu($this->_customdata->assignment->grade);
2132 $grademenu['-1'] = get_string('nograde');
2134 $mform->addElement('header', 'Grades', get_string('grades', 'grades'));
2135 $mform->addElement('select', 'xgrade', get_string('grade').':', $grademenu, $attributes);
2136 $mform->setDefault('xgrade', $this->_customdata->submission->grade ); //@fixme some bug when element called 'grade' makes it break
2137 $mform->setType('xgrade', PARAM_INT);
2139 if (!empty($this->_customdata->enableoutcomes)) {
2140 foreach($this->_customdata->grading_info->outcomes as $n=>$outcome) {
2141 $options = make_grades_menu(-$outcome->scaleid);
2142 if ($outcome->grades[$this->_customdata->submission->userid]->locked) {
2143 $options[0] = get_string('nooutcome', 'grades');
2144 echo $options[$outcome->grades[$this->_customdata->submission->userid]->grade];
2146 $options[''] = get_string('nooutcome', 'grades');
2147 $attributes = array('id' => 'menuoutcome_'.$n );
2148 $mform->addElement('select', 'outcome_'.$n.'['.$this->_customdata->userid.']', $outcome->name.':', $options, $attributes );
2149 $mform->setType('outcome_'.$n.'['.$this->_customdata->userid.']', PARAM_INT);
2150 $mform->setDefault('outcome_'.$n.'['.$this->_customdata->userid.']', $outcome->grades[$this->_customdata->submission->userid]->grade );
2154 $course_context = get_context_instance(CONTEXT_MODULE , $this->_customdata->cm->id);
2155 if (has_capability('gradereport/grader:view', $course_context) && has_capability('moodle/grade:viewall', $course_context)) {
2156 $grade = '<a href="'.$CFG->wwwroot.'/grade/report/grader/index.php?id='. $this->_customdata->courseid .'" >'.
2157 $this->_customdata->grading_info->items[0]->grades[$this->_customdata->userid]->str_grade . '</a>';
2159 $grade = $this->_customdata->grading_info->items[0]->grades[$this->_customdata->userid]->str_grade;
2161 $mform->addElement('static', 'finalgrade', get_string('currentgrade', 'assignment').':' ,$grade);
2162 $mform->setType('finalgrade', PARAM_INT);
2167 * @global core_renderer $OUTPUT
2169 function add_feedback_section() {
2171 $mform =& $this->_form;
2172 $mform->addElement('header', 'Feed Back', get_string('feedback', 'grades'));
2174 if ($this->_customdata->gradingdisabled) {
2175 $mform->addElement('static', 'disabledfeedback', $this->_customdata->grading_info->items[0]->grades[$this->_customdata->userid]->str_feedback );
2179 $mform->addElement('editor', 'submissioncomment_editor', get_string('feedback', 'assignment').':', null, $this->get_editor_options() );
2180 $mform->setType('submissioncomment_editor', PARAM_RAW); // to be cleaned before display
2181 $mform->setDefault('submissioncomment_editor', $this->_customdata->submission->submissioncomment);
2182 //$mform->addRule('submissioncomment', get_string('required'), 'required', null, 'client');
2184 if ($this->_customdata->usehtmleditor) {
2185 $mform->addElement('hidden', 'format', FORMAT_HTML);
2186 $mform->setType('format', PARAM_INT);
2189 $format_menu = format_text_menu();
2190 $mform->addElement('select', 'format', get_string('format'), $format_menu, array('selected' => $this->_customdata->submission->format ) );
2191 $mform->setType('format', PARAM_INT);
2193 $lastmailinfo = get_user_preferences('assignment_mailinfo', 1) ? array('checked'=>'checked') : array();
2194 $mform->addElement('hidden', 'mailinfo_h', "0");
2195 $mform->setType('mailinfo_h', PARAM_INT);
2196 $mform->addElement('checkbox', 'mailinfo',get_string('enableemailnotification','assignment').
2197 $OUTPUT->help_icon('enableemailnotification', 'assignment') .':' );
2198 $mform->updateElementAttr('mailinfo', $lastmailinfo);
2199 $mform->setType('mailinfo', PARAM_INT);
2203 function add_action_buttons() {
2204 $mform =& $this->_form;
2205 $mform->addElement('header', 'Operation', get_string('operation', 'assignment'));
2206 //if there are more to be graded.
2207 if ($this->_customdata->nextid>0) {
2208 $buttonarray=array();
2209 $buttonarray[] = &$mform->createElement('submit', 'submitbutton', get_string('savechanges'));
2210 //@todo: fix accessibility: javascript dependency not necessary
2211 $buttonarray[] = &$mform->createElement('submit', 'saveandnext', get_string('saveandnext'));
2212 $buttonarray[] = &$mform->createElement('submit', 'next', get_string('next'));
2213 $buttonarray[] = &$mform->createElement('cancel');
2215 $buttonarray=array();
2216 $buttonarray[] = &$mform->createElement('submit', 'submitbutton', get_string('savechanges'));
2217 $buttonarray[] = &$mform->createElement('cancel');
2219 $mform->addGroup($buttonarray, 'grading_buttonar', '', array(' '), false);
2220 $mform->setType('grading_buttonar', PARAM_RAW);
2223 function add_submission_content() {
2224 $mform =& $this->_form;
2225 $mform->addElement('header', 'Submission', get_string('submission', 'assignment'));
2226 $mform->addElement('static', '', '' , $this->_customdata->submission_content );
2229 protected function get_editor_options() {
2230 $editoroptions = array();
2231 $editoroptions['component'] = 'mod_assignment';
2232 $editoroptions['filearea'] = 'feedback';
2233 $editoroptions['noclean'] = false;
2234 $editoroptions['maxfiles'] = 0; //TODO: no files for now, we need to first implement assignment_feedback area, integration with gradebook, files support in quickgrading, etc. (skodak)
2235 $editoroptions['maxbytes'] = $this->_customdata->maxbytes;
2236 return $editoroptions;
2239 public function set_data($data) {
2240 $editoroptions = $this->get_editor_options();
2241 if (!isset($data->text)) {
2244 if (!isset($data->format)) {
2245 $data->textformat = FORMAT_HTML;
2247 $data->textformat = $data->format;
2250 if (!empty($this->_customdata->submission->id)) {
2251 $itemid = $this->_customdata->submission->id;
2256 $data = file_prepare_standard_editor($data, 'submissioncomment', $editoroptions, $this->_customdata->context, $editoroptions['component'], $editoroptions['filearea'], $itemid);
2257 return parent::set_data($data);
2260 public function get_data() {
2261 $data = parent::get_data();
2263 if (!empty($this->_customdata->submission->id)) {
2264 $itemid = $this->_customdata->submission->id;
2266 $itemid = null; //TODO: this is wrong, itemid MUST be known when saving files!! (skodak)
2270 $editoroptions = $this->get_editor_options();
2271 $data = file_postupdate_standard_editor($data, 'submissioncomment', $editoroptions, $this->_customdata->context, $editoroptions['component'], $editoroptions['filearea'], $itemid);
2272 $data->format = $data->textformat;
2278 /// OTHER STANDARD FUNCTIONS ////////////////////////////////////////////////////////
2281 * Deletes an assignment instance
2283 * This is done by calling the delete_instance() method of the assignment type class
2285 function assignment_delete_instance($id){
2288 if (! $assignment = $DB->get_record('assignment', array('id'=>$id))) {
2292 // fall back to base class if plugin missing
2293 $classfile = "$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php";
2294 if (file_exists($classfile)) {
2295 require_once($classfile);
2296 $assignmentclass = "assignment_$assignment->assignmenttype";
2299 debugging("Missing assignment plug-in: {$assignment->assignmenttype}. Using base class for deleting instead.");
2300 $assignmentclass = "assignment_base";
2303 $ass = new $assignmentclass();
2304 return $ass->delete_instance($assignment);
2309 * Updates an assignment instance
2311 * This is done by calling the update_instance() method of the assignment type class
2313 function assignment_update_instance($assignment){
2316 $assignment->assignmenttype = clean_param($assignment->assignmenttype, PARAM_SAFEDIR);
2318 require_once("$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php");
2319 $assignmentclass = "assignment_$assignment->assignmenttype";
2320 $ass = new $assignmentclass();
2321 return $ass->update_instance($assignment);
2326 * Adds an assignment instance
2328 * This is done by calling the add_instance() method of the assignment type class
2330 function assignment_add_instance($assignment) {
2333 $assignment->assignmenttype = clean_param($assignment->assignmenttype, PARAM_SAFEDIR);
2335 require_once("$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php");
2336 $assignmentclass = "assignment_$assignment->assignmenttype";
2337 $ass = new $assignmentclass();
2338 return $ass->add_instance($assignment);
2343 * Returns an outline of a user interaction with an assignment
2345 * This is done by calling the user_outline() method of the assignment type class
2347 function assignment_user_outline($course, $user, $mod, $assignment) {
2350 require_once("$CFG->libdir/gradelib.php");
2351 require_once("$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php");
2352 $assignmentclass = "assignment_$assignment->assignmenttype";
2353 $ass = new $assignmentclass($mod->id, $assignment, $mod, $course);
2354 $grades = grade_get_grades($course->id, 'mod', 'assignment', $assignment->id, $user->id);
2355 if (!empty($grades->items[0]->grades)) {
2356 return $ass->user_outline(reset($grades->items[0]->grades));
2363 * Prints the complete info about a user's interaction with an assignment
2365 * This is done by calling the user_complete() method of the assignment type class
2367 function assignment_user_complete($course, $user, $mod, $assignment) {
2370 require_once("$CFG->libdir/gradelib.php");
2371 require_once("$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php");
2372 $assignmentclass = "assignment_$assignment->assignmenttype";
2373 $ass = new $assignmentclass($mod->id, $assignment, $mod, $course);
2374 $grades = grade_get_grades($course->id, 'mod', 'assignment', $assignment->id, $user->id);
2375 if (empty($grades->items[0]->grades)) {
2378 $grade = reset($grades->items[0]->grades);
2380 return $ass->user_complete($user, $grade);
2384 * Function to be run periodically according to the moodle cron
2386 * Finds all assignment notifications that have yet to be mailed out, and mails them
2388 function assignment_cron () {
2389 global $CFG, $USER, $DB;
2391 /// first execute all crons in plugins
2392 if ($plugins = get_plugin_list('assignment')) {
2393 foreach ($plugins as $plugin=>$dir) {
2394 require_once("$dir/assignment.class.php");
2395 $assignmentclass = "assignment_$plugin";
2396 $ass = new $assignmentclass();
2401 /// Notices older than 1 day will not be mailed. This is to avoid the problem where
2402 /// cron has not been running for a long time, and then suddenly people are flooded
2403 /// with mail from the past few weeks or months
2406 $endtime = $timenow - $CFG->maxeditingtime;
2407 $starttime = $endtime - 24 * 3600; /// One day earlier
2409 if ($submissions = assignment_get_unmailed_submissions($starttime, $endtime)) {
2411 $realuser = clone($USER);
2413 foreach ($submissions as $key => $submission) {
2414 if (! $DB->set_field("assignment_submissions", "mailed", "1", array("id"=>$submission->id))) {
2415 echo "Could not update the mailed field for id $submission->id. Not mailed.\n";
2416 unset($submissions[$key]);
2422 foreach ($submissions as $submission) {
2424 echo "Processing assignment submission $submission->id\n";
2426 if (! $user = $DB->get_record("user", array("id"=>$submission->userid))) {
2427 echo "Could not find user $post->userid\n";
2431 if (! $course = $DB->get_record("course", array("id"=>$submission->course))) {
2432 echo "Could not find course $submission->course\n";
2436 /// Override the language and timezone of the "current" user, so that
2437 /// mail is customised for the receiver.
2438 cron_setup_user($user, $course);
2440 if (!is_enrolled(get_context_instance(CONTEXT_COURSE, $submission->course), $user->id)) {
2441 echo fullname($user)." not an active participant in " . format_string($course->shortname) . "\n";
2445 if (! $teacher = $DB->get_record("user", array("id"=>$submission->teacher))) {
2446 echo "Could not find teacher $submission->teacher\n";
2450 if (! $mod = get_coursemodule_from_instance("assignment", $submission->assignment, $course->id)) {
2451 echo "Could not find course module for assignment id $submission->assignment\n";
2455 if (! $mod->visible) { /// Hold mail notification for hidden assignments until later
2459 $strassignments = get_string("modulenameplural", "assignment");
2460 $strassignment = get_string("modulename", "assignment");
2462 $assignmentinfo = new object();
2463 $assignmentinfo->teacher = fullname($teacher);
2464 $assignmentinfo->assignment = format_string($submission->name,true);
2465 $assignmentinfo->url = "$CFG->wwwroot/mod/assignment/view.php?id=$mod->id";
2467 $postsubject = "$course->shortname: $strassignments: ".format_string($submission->name,true);
2468 $posttext = "$course->shortname -> $strassignments -> ".format_string($submission->name,true)."\n";
2469 $posttext .= "---------------------------------------------------------------------\n";
2470 $posttext .= get_string("assignmentmail", "assignment", $assignmentinfo)."\n";
2471 $posttext .= "---------------------------------------------------------------------\n";
2473 if ($user->mailformat == 1) { // HTML
2474 $posthtml = "<p><font face=\"sans-serif\">".
2475 "<a href=\"$CFG->wwwroot/course/view.php?id=$course->id\">$course->shortname</a> ->".
2476 "<a href=\"$CFG->wwwroot/mod/assignment/index.php?id=$course->id\">$strassignments</a> ->".
2477 "<a href=\"$CFG->wwwroot/mod/assignment/view.php?id=$mod->id\">".format_string($submission->name,true)."</a></font></p>";
2478 $posthtml .= "<hr /><font face=\"sans-serif\">";
2479 $posthtml .= "<p>".get_string("assignmentmailhtml", "assignment", $assignmentinfo)."</p>";
2480 $posthtml .= "</font><hr />";
2485 $eventdata = new object();
2486 $eventdata->modulename = 'assignment';
2487 $eventdata->userfrom = $teacher;
2488 $eventdata->userto = $user;
2489 $eventdata->subject = $postsubject;
2490 $eventdata->fullmessage = $posttext;
2491 $eventdata->fullmessageformat = FORMAT_PLAIN;
2492 $eventdata->fullmessagehtml = $posthtml;
2493 $eventdata->smallmessage = '';
2494 message_send($eventdata);
2504 * Return grade for given user or all users.
2506 * @param int $assignmentid id of assignment
2507 * @param int $userid optional user id, 0 means all users
2508 * @return array array of grades, false if none
2510 function assignment_get_user_grades($assignment, $userid=0) {
2514 $user = "AND u.id = :userid";
2515 $params = array('userid'=>$userid);
2519 $params['aid'] = $assignment->id;
2521 $sql = "SELECT u.id, u.id AS userid, s.grade AS rawgrade, s.submissioncomment AS feedback, s.format AS feedbackformat,
2522 s.teacher AS usermodified, s.timemarked AS dategraded, s.timemodified AS datesubmitted
2523 FROM {user} u, {assignment_submissions} s
2524 WHERE u.id = s.userid AND s.assignment = :aid
2527 return $DB->get_records_sql($sql, $params);
2531 * Update activity grades
2533 * @param object $assignment
2534 * @param int $userid specific user only, 0 means all
2536 function assignment_update_grades($assignment, $userid=0, $nullifnone=true) {
2538 require_once($CFG->libdir.'/gradelib.php');
2540 if ($assignment->grade == 0) {
2541 assignment_grade_item_update($assignment);
2543 } else if ($grades = assignment_get_user_grades($assignment, $userid)) {
2544 foreach($grades as $k=>$v) {
2545 if ($v->rawgrade == -1) {
2546 $grades[$k]->rawgrade = null;
2549 assignment_grade_item_update($assignment, $grades);
2552 assignment_grade_item_update($assignment);
2557 * Update all grades in gradebook.
2559 function assignment_upgrade_grades() {
2562 $sql = "SELECT COUNT('x')
2563 FROM {assignment} a, {course_modules} cm, {modules} m
2564 WHERE m.name='assignment' AND m.id=cm.module AND cm.instance=a.id";
2565 $count = $DB->count_records_sql($sql);
2567 $sql = "SELECT a.*, cm.idnumber AS cmidnumber, a.course AS courseid
2568 FROM {assignment} a, {course_modules} cm, {modules} m
2569 WHERE m.name='assignment' AND m.id=cm.module AND cm.instance=a.id";
2570 if ($rs = $DB->get_recordset_sql($sql)) {
2571 // too much debug output
2572 $pbar = new progress_bar('assignmentupgradegrades', 500, true);
2574 foreach ($rs as $assignment) {
2576 upgrade_set_timeout(60*5); // set up timeout, may also abort execution
2577 assignment_update_grades($assignment);
2578 $pbar->update($i, $count, "Updating Assignment grades ($i/$count).");
2581 upgrade_set_timeout(); // reset to default timeout
2586 * Create grade item for given assignment
2588 * @param object $assignment object with extra cmidnumber
2589 * @param mixed optional array/object of grade(s); 'reset' means reset grades in gradebook
2590 * @return int 0 if ok, error code otherwise
2592 function assignment_grade_item_update($assignment, $grades=NULL) {
2594 require_once($CFG->libdir.'/gradelib.php');
2596 if (!isset($assignment->courseid)) {
2597 $assignment->courseid = $assignment->course;
2600 $params = array('itemname'=>$assignment->name, 'idnumber'=>$assignment->cmidnumber);
2602 if ($assignment->grade > 0) {
2603 $params['gradetype'] = GRADE_TYPE_VALUE;
2604 $params['grademax'] = $assignment->grade;
2605 $params['grademin'] = 0;
2607 } else if ($assignment->grade < 0) {
2608 $params['gradetype'] = GRADE_TYPE_SCALE;
2609 $params['scaleid'] = -$assignment->grade;
2612 $params['gradetype'] = GRADE_TYPE_TEXT; // allow text comments only
2615 if ($grades === 'reset') {
2616 $params['reset'] = true;
2620 return grade_update('mod/assignment', $assignment->courseid, 'mod', 'assignment', $assignment->id, 0, $grades, $params);
2624 * Delete grade item for given assignment
2626 * @param object $assignment object
2627 * @return object assignment
2629 function assignment_grade_item_delete($assignment) {
2631 require_once($CFG->libdir.'/gradelib.php');
2633 if (!isset($assignment->courseid)) {
2634 $assignment->courseid = $assignment->course;
2637 return grade_update('mod/assignment', $assignment->courseid, 'mod', 'assignment', $assignment->id, 0, NULL, array('deleted'=>1));
2641 * Returns the users with data in one assignment (students and teachers)
2643 * @param $assignmentid int
2644 * @return array of user objects
2646 function assignment_get_participants($assignmentid) {
2650 $students = $DB->get_records_sql("SELECT DISTINCT u.id, u.id
2652 {assignment_submissions} a
2653 WHERE a.assignment = ? and
2654 u.id = a.userid", array($assignmentid));
2656 $teachers = $DB->get_records_sql("SELECT DISTINCT u.id, u.id
2658 {assignment_submissions} a
2659 WHERE a.assignment = ? and
2660 u.id = a.teacher", array($assignmentid));
2662 //Add teachers to students
2664 foreach ($teachers as $teacher) {
2665 $students[$teacher->id] = $teacher;
2668 //Return students array (it contains an array of unique users)
2673 * Serves assignment submissions and other files.
2675 * @param object $course
2677 * @param object $context
2678 * @param string $filearea
2679 * @param array $args
2680 * @param bool $forcedownload
2681 * @return bool false if file not found, does not return if found - just send the file
2683 function assignment_pluginfile($course, $cm, $context, $filearea, $args, $forcedownload) {
2686 if ($context->contextlevel != CONTEXT_MODULE) {
2690 require_login($course, false, $cm);
2692 if (!$assignment = $DB->get_record('assignment', array('id'=>$cm->instance))) {
2696 require_once($CFG->dirroot.'/mod/assignment/type/'.$assignment->assignmenttype.'/assignment.class.php');
2697 $assignmentclass = 'assignment_'.$assignment->assignmenttype;
2698 $assignmentinstance = new $assignmentclass($cm->id, $assignment, $cm, $course);
2700 return $assignmentinstance->send_file($filearea, $args);
2703 * Checks if a scale is being used by an assignment
2705 * This is used by the backup code to decide whether to back up a scale
2706 * @param $assignmentid int
2707 * @param $scaleid int
2708 * @return boolean True if the scale is used by the assignment
2710 function assignment_scale_used($assignmentid, $scaleid) {
2715 $rec = $DB->get_record('assignment', array('id'=>$assignmentid,'grade'=>-$scaleid));
2717 if (!empty($rec) && !empty($scaleid)) {
2725 * Checks if scale is being used by any instance of assignment
2727 * This is used to find out if scale used anywhere
2728 * @param $scaleid int
2729 * @return boolean True if the scale is used by any assignment
2731 function assignment_scale_used_anywhere($scaleid) {
2734 if ($scaleid and $DB->record_exists('assignment', array('grade'=>-$scaleid))) {
2742 * Make sure up-to-date events are created for all assignment instances
2744 * This standard function will check all instances of this module
2745 * and make sure there are up-to-date events created for each of them.
2746 * If courseid = 0, then every assignment event in the site is checked, else
2747 * only assignment events belonging to the course specified are checked.
2748 * This function is used, in its new format, by restore_refresh_events()
2750 * @param $courseid int optional If zero then all assignments for all courses are covered
2751 * @return boolean Always returns true
2753 function assignment_refresh_events($courseid = 0) {
2756 if ($courseid == 0) {
2757 if (! $assignments = $DB->get_records("assignment")) {
2761 if (! $assignments = $DB->get_records("assignment", array("course"=>$courseid))) {
2765 $moduleid = $DB->get_field('modules', 'id', array('name'=>'assignment'));
2767 foreach ($assignments as $assignment) {
2768 $cm = get_coursemodule_from_id('assignment', $assignment->id);
2769 $event = new object();
2770 $event->name = $assignment->name;
2771 $event->description = format_module_intro('assignment', $assignment, $cm->id);
2772 $event->timestart = $assignment->timedue;
2774 if ($event->id = $DB->get_field('event', 'id', array('modulename'=>'assignment', 'instance'=>$assignment->id))) {
2775 update_event($event);
2778 $event->courseid = $assignment->course;
2779 $event->groupid = 0;
2781 $event->modulename = 'assignment';
2782 $event->instance = $assignment->id;
2783 $event->eventtype = 'due';
2784 $event->timeduration = 0;
2785 $event->visible = $DB->get_field('course_modules', 'visible', array('module'=>$moduleid, 'instance'=>$assignment->id));
2794 * Print recent activity from all assignments in a given course
2796 * This is used by the recent activity block
2798 function assignment_print_recent_activity($course, $viewfullnames, $timestart) {
2799 global $CFG, $USER, $DB, $OUTPUT;
2801 // do not use log table if possible, it may be huge
2803 if (!$submissions = $DB->get_records_sql("SELECT asb.id, asb.timemodified, cm.id AS cmid, asb.userid,
2804 u.firstname, u.lastname, u.email, u.picture
2805 FROM {assignment_submissions} asb
2806 JOIN {assignment} a ON a.id = asb.assignment
2807 JOIN {course_modules} cm ON cm.instance = a.id
2808 JOIN {modules} md ON md.id = cm.module
2809 JOIN {user} u ON u.id = asb.userid
2810 WHERE asb.timemodified > ? AND
2812 md.name = 'assignment'
2813 ORDER BY asb.timemodified ASC", array($timestart, $course->id))) {
2817 $modinfo =& get_fast_modinfo($course); // reference needed because we might load the groups
2821 foreach($submissions as $submission) {
2822 if (!array_key_exists($submission->cmid, $modinfo->cms)) {
2825 $cm = $modinfo->cms[$submission->cmid];
2826 if (!$cm->uservisible) {
2829 if ($submission->userid == $USER->id) {
2830 $show[] = $submission;
2834 // the act of sumbitting of assignment may be considered private - only graders will see it if specified
2835 if (empty($CFG->assignment_showrecentsubmissions)) {
2836 if (!array_key_exists($cm->id, $grader)) {
2837 $grader[$cm->id] = has_capability('moodle/grade:viewall', get_context_instance(CONTEXT_MODULE, $cm->id));
2839 if (!$grader[$cm->id]) {
2844 $groupmode = groups_get_activity_groupmode($cm, $course);
2846 if ($groupmode == SEPARATEGROUPS and !has_capability('moodle/site:accessallgroups', get_context_instance(CONTEXT_MODULE, $cm->id))) {
2847 if (isguestuser()) {
2848 // shortcut - guest user does not belong into any group
2852 if (is_null($modinfo->groups)) {
2853 $modinfo->groups = groups_get_user_groups($course->id); // load all my groups and cache it in modinfo
2856 // this will be slow - show only users that share group with me in this cm
2857 if (empty($modinfo->groups[$cm->id])) {
2860 $usersgroups = groups_get_all_groups($course->id, $submission->userid, $cm->groupingid);
2861 if (is_array($usersgroups)) {
2862 $usersgroups = array_keys($usersgroups);
2863 $intersect = array_intersect($usersgroups, $modinfo->groups[$cm->id]);
2864 if (empty($intersect)) {
2869 $show[] = $submission;
2876 echo $OUTPUT->heading(get_string('newsubmissions', 'assignment').':', 3);
2878 foreach ($show as $submission) {
2879 $cm = $modinfo->cms[$submission->cmid];
2880 $link = $CFG->wwwroot.'/mod/assignment/view.php?id='.$cm->id;
2881 print_recent_activity_note($submission->timemodified, $submission, $cm->name, $link, false, $viewfullnames);
2889 * Returns all assignments since a given time in specified forum.
2891 function assignment_get_recent_mod_activity(&$activities, &$index, $timestart, $courseid, $cmid, $userid=0, $groupid=0) {
2892 global $CFG, $COURSE, $USER, $DB;
2894 if ($COURSE->id == $courseid) {
2897 $course = $DB->get_record('course', array('id'=>$courseid));
2900 $modinfo =& get_fast_modinfo($course);
2902 $cm = $modinfo->cms[$cmid];
2906 $userselect = "AND u.id = :userid";
2907 $params['userid'] = $userid;
2913 $groupselect = "AND gm.groupid = :groupid";
2914 $groupjoin = "JOIN {groups_members} gm ON gm.userid=u.id";
2915 $params['groupid'] = $groupid;
2921 $params['cminstance'] = $cm->instance;
2922 $params['timestart'] = $timestart;
2924 $userfields = user_picture::fields('u', null, 'userid');
2926 if (!$submissions = $DB->get_records_sql("SELECT asb.id, asb.timemodified,
2928 FROM {assignment_submissions} asb
2929 JOIN {assignment} a ON a.id = asb.assignment
2930 JOIN {user} u ON u.id = asb.userid
2932 WHERE asb.timemodified > :timestart AND a.id = :cminstance
2933 $userselect $groupselect
2934 ORDER BY asb.timemodified ASC", $params)) {
2938 $groupmode = groups_get_activity_groupmode($cm, $course);
2939 $cm_context = get_context_instance(CONTEXT_MODULE, $cm->id);
2940 $grader = has_capability('moodle/grade:viewall', $cm_context);
2941 $accessallgroups = has_capability('moodle/site:accessallgroups', $cm_context);
2942 $viewfullnames = has_capability('moodle/site:viewfullnames', $cm_context);
2944 if (is_null($modinfo->groups)) {
2945 $modinfo->groups = groups_get_user_groups($course->id); // load all my groups and cache it in modinfo
2950 foreach($submissions as $submission) {
2951 if ($submission->userid == $USER->id) {
2952 $show[] = $submission;
2955 // the act of submitting of assignment may be considered private - only graders will see it if specified
2956 if (empty($CFG->assignment_showrecentsubmissions)) {
2962 if ($groupmode == SEPARATEGROUPS and !$accessallgroups) {
2963 if (isguestuser()) {
2964 // shortcut - guest user does not belong into any group
2968 // this will be slow - show only users that share group with me in this cm
2969 if (empty($modinfo->groups[$cm->id])) {
2972 $usersgroups = groups_get_all_groups($course->id, $cm->userid, $cm->groupingid);
2973 if (is_array($usersgroups)) {
2974 $usersgroups = array_keys($usersgroups);
2975 $interset = array_intersect($usersgroups, $modinfo->groups[$cm->id]);
2976 if (empty($intersect)) {
2981 $show[] = $submission;
2989 require_once($CFG->libdir.'/gradelib.php');
2991 foreach ($show as $id=>$submission) {
2992 $userids[] = $submission->userid;
2995 $grades = grade_get_grades($courseid, 'mod', 'assignment', $cm->instance, $userids);
2998 $aname = format_string($cm->name,true);
2999 foreach ($show as $submission) {
3000 $tmpactivity = new object();
3002 $tmpactivity->type = 'assignment';
3003 $tmpactivity->cmid = $cm->id;
3004 $tmpactivity->name = $aname;
3005 $tmpactivity->sectionnum = $cm->sectionnum;
3006 $tmpactivity->timestamp = $submission->timemodified;
3009 $tmpactivity->grade = $grades->items[0]->grades[$submission->userid]->str_long_grade;
3012 $userfields = explode(',', user_picture::fields());
3013 foreach ($userfields as $userfield) {
3014 if ($userfield == 'id') {
3015 $tmpactivity->user->{$userfield} = $submission->userid; // aliased in SQL above
3017 $tmpactivity->user->{$userfield} = $submission->{$userfield};
3020 $tmpactivity->user->fullname = fullname($submission, $viewfullnames);
3022 $activities[$index++] = $tmpactivity;
3029 * Print recent activity from all assignments in a given course
3031 * This is used by course/recent.php
3033 function assignment_print_recent_mod_activity($activity, $courseid, $detail, $modnames) {
3034 global $CFG, $OUTPUT;
3036 echo '<table border="0" cellpadding="3" cellspacing="0" class="assignment-recent">';
3038 echo "<tr><td class=\"userpicture\" valign=\"top\">";
3039 echo $OUTPUT->user_picture($activity->user);
3043 $modname = $modnames[$activity->type];
3044 echo '<div class="title">';
3045 echo "<img src=\"" . $OUTPUT->pix_url('icon', 'assignment') . "\" ".
3046 "class=\"icon\" alt=\"$modname\">";
3047 echo "<a href=\"$CFG->wwwroot/mod/assignment/view.php?id={$activity->cmid}\">{$activity->name}</a>";
3051 if (isset($activity->grade)) {
3052 echo '<div class="grade">';
3053 echo get_string('grade').': ';
3054 echo $activity->grade;
3058 echo '<div class="user">';
3059 echo "<a href=\"$CFG->wwwroot/user/view.php?id={$activity->user->id}&course=$courseid\">"
3060 ."{$activity->user->fullname}</a> - ".userdate($activity->timestamp);
3063 echo "</td></tr></table>";
3066 /// GENERIC SQL FUNCTIONS
3069 * Fetch info from logs
3071 * @param $log object with properties ->info (the assignment id) and ->userid
3072 * @return array with assignment name and user firstname and lastname
3074 function assignment_log_info($log) {
3077 return $DB->get_record_sql("SELECT a.name, u.firstname, u.lastname
3078 FROM {assignment} a, {user} u
3079 WHERE a.id = ? AND u.id = ?", array($log->info, $log->userid));
3083 * Return list of marked submissions that have not been mailed out for currently enrolled students
3087 function assignment_get_unmailed_submissions($starttime, $endtime) {
3090 return $DB->get_records_sql("SELECT s.*, a.course, a.name
3091 FROM {assignment_submissions} s,
3094 AND s.timemarked <= ?
3095 AND s.timemarked >= ?
3096 AND s.assignment = a.id", array($endtime, $starttime));
3100 * Counts all real assignment submissions by ENROLLED students (not empty ones)
3102 * There are also assignment type methods count_real_submissions() wich in the default
3103 * implementation simply call this function.
3104 * @param $groupid int optional If nonzero then count is restricted to this group
3105 * @return int The number of submissions
3107 function assignment_count_real_submissions($cm, $groupid=0) {
3110 $context = get_context_instance(CONTEXT_MODULE, $cm->id);
3112 // this is all the users with this capability set, in this context or higher
3113 if ($users = get_enrolled_users($context, 'mod/assignment:submit', $groupid, 'u.id')) {
3114 $users = array_keys($users);
3117 // if groupmembersonly used, remove users who are not in any group
3118 if ($users and !empty($CFG->enablegroupmembersonly) and $cm->groupmembersonly) {
3119 if ($groupingusers = groups_get_grouping_members($cm->groupingid, 'u.id', 'u.id')) {
3120 $users = array_intersect($users, array_keys($groupingusers));
3124 if (empty($users)) {
3128 $userlists = implode(',', $users);
3130 return $DB->count_records_sql("SELECT COUNT('x')
3131 FROM {assignment_submissions}
3132 WHERE assignment = ? AND
3133 timemodified > 0 AND
3134 userid IN ($userlists)", array($cm->instance));
3139 * Return all assignment submissions by ENROLLED students (even empty)
3141 * There are also assignment type methods get_submissions() wich in the default
3142 * implementation simply call this function.
3143 * @param $sort string optional field names for the ORDER BY in the sql query
3144 * @param $dir string optional specifying the sort direction, defaults to DESC
3145 * @return array The submission objects indexed by id
3147 function assignment_get_all_submissions($assignment, $sort="", $dir="DESC") {
3148 /// Return all assignment submissions by ENROLLED students (even empty)
3151 if ($sort == "lastname" or $sort == "firstname") {
3152 $sort = "u.$sort $dir";
3153 } else if (empty($sort)) {
3154 $sort = "a.timemodified DESC";
3156 $sort = "a.$sort $dir";
3159 /* not sure this is needed at all since assignmenet already has a course define, so this join?
3160 $select = "s.course = '$assignment->course' AND";
3161 if ($assignment->course == SITEID) {
3165 return $DB->get_records_sql("SELECT a.*
3166 FROM {assignment_submissions} a, {user} u
3167 WHERE u.id = a.userid
3168 AND a.assignment = ?
3169 ORDER BY $sort", array($assignment->id));
3174 * Add a get_coursemodule_info function in case any assignment type wants to add 'extra' information
3175 * for the course (see resource).
3177 * Given a course_module object, this function returns any "extra" information that may be needed
3178 * when printing this activity in a course listing. See get_array_of_activities() in course/lib.php.
3180 * @param $coursemodule object The coursemodule object (record).
3181 * @return object An object on information that the coures will know about (most noticeably, an icon).
3184 function assignment_get_coursemodule_info($coursemodule) {
3187 if (! $assignment = $DB->get_record('assignment', array('id'=>$coursemodule->instance), 'id, assignmenttype, name')) {
3191 $libfile = "$CFG->dirroot/mod/assignment/type/$assignment->assignmenttype/assignment.class.php";
3193 if (file_exists($libfile)) {
3194 require_once($libfile);
3195 $assignmentclass = "assignment_$assignment->assignmenttype";
3196 $ass = new $assignmentclass('staticonly');
3197 if ($result = $ass->get_coursemodule_info($coursemodule)) {
3200 $info = new object();
3201 $info->name = $assignment->name;
3206 debugging('Incorrect assignment type: '.$assignment->assignmenttype);
3213 /// OTHER GENERAL FUNCTIONS FOR ASSIGNMENTS ///////////////////////////////////////
3216 * Returns an array of installed assignment types indexed and sorted by name
3218 * @return array The index is the name of the assignment type, the value its full name from the language strings
3220 function assignment_types() {
3222 $names = get_plugin_list('assignment');
3223 foreach ($names as $name=>$dir) {
3224 $types[$name] = get_string('type'.$name, 'assignment');
3226 // ugly hack to support pluggable assignment type titles..
3227 if ($types[$name] == '[[type'.$name.']]') {
3228 $types[$name] = get_string('type'.$name, 'assignment_'.$name);
3235 function assignment_print_overview($courses, &$htmlarray) {
3236 global $USER, $CFG, $DB;
3238 if (empty($courses) || !is_array($courses) || count($courses) == 0) {
3242 if (!$assignments = get_all_instances_in_courses('assignment',$courses)) {
3246 $assignmentids = array();
3248 // Do assignment_base::isopen() here without loading the whole thing for speed
3249 foreach ($assignments as $key => $assignment) {
3251 if ($assignment->timedue) {
3252 if ($assignment->preventlate) {
3253 $isopen = ($assignment->timeavailable <= $time && $time <= $assignment->timedue);
3255 $isopen = ($assignment->timeavailable <= $time);
3258 if (empty($isopen) || empty($assignment->timedue)) {
3259 unset($assignments[$key]);
3261 $assignmentids[] = $assignment->id;
3265 if (empty($assignmentids)){
3266 // no assigments to look at - we're done
3270 $strduedate = get_string('duedate', 'assignment');
3271 $strduedateno = get_string('duedateno', 'assignment');
3272 $strgraded = get_string('graded', 'assignment');
3273 $strnotgradedyet = get_string('notgradedyet', 'assignment');
3274 $strnotsubmittedyet = get_string('notsubmittedyet', 'assignment');
3275 $strsubmitted = get_string('submitted', 'assignment');
3276 $strassignment = get_string('modulename', 'assignment');
3277 $strreviewed = get_string('reviewed','assignment');
3280 // NOTE: we do all possible database work here *outside* of the loop to ensure this scales
3282 list($sqlassignmentids, $assignmentidparams) = $DB->get_in_or_equal($assignmentids);
3284 // build up and array of unmarked submissions indexed by assigment id/ userid
3285 // for use where the user has grading rights on assigment
3286 $rs = $DB->get_recordset_sql("SELECT id, assignment, userid
3287 FROM {assignment_submissions}
3288 WHERE teacher = 0 AND timemarked = 0
3289 AND assignment $sqlassignmentids", $assignmentidparams);
3291 $unmarkedsubmissions = array();
3292 foreach ($rs as $rd) {
3293 $unmarkedsubmissions[$rd->assignment][$rd->userid] = $rd->id;
3298 // get all user submissions, indexed by assigment id
3299 $mysubmissions = $DB->get_records_sql("SELECT assignment, timemarked, teacher, grade
3300 FROM {assignment_submissions}
3301 WHERE userid = ? AND
3302 assignment $sqlassignmentids", array_merge(array($USER->id), $assignmentidparams));
3304 foreach ($assignments as $assignment) {
3305 $str = '<div class="assignment overview"><div class="name">'.$strassignment. ': '.
3306 '<a '.($assignment->visible ? '':' class="dimmed"').
3307 'title="'.$strassignment.'" href="'.$CFG->wwwroot.
3308 '/mod/assignment/view.php?id='.$assignment->coursemodule.'">'.
3309 $assignment->name.'</a></div>';
3310 if ($assignment->timedue) {
3311 $str .= '<div class="info">'.$strduedate.': '.userdate($assignment->timedue).'</div>';
3313 $str .= '<div class="info">'.$strduedateno.'</div>';
3315 $context = get_context_instance(CONTEXT_MODULE, $assignment->coursemodule);
3316 if (has_capability('mod/assignment:grade', $context)) {
3318 // count how many people can submit
3319 $submissions = 0; // init
3320 if ($students = get_enrolled_users($context, 'mod/assignment:submit', 0, 'u.id')) {
3321 foreach ($students as $student) {
3322 if (isset($unmarkedsubmissions[$assignment->id][$student->id])) {
3329 $link = new moodle_url('/mod/assignment/submissions.php', array('id'=>$assignment->coursemodule));
3330 $str .= '<div class="details"><a href="'.$link.'">'.get_string('submissionsnotgraded', 'assignment', $submissions).'</a></div>';
3333 $str .= '<div class="details">';
3334 if (isset($mysubmissions[$assignment->id])) {
3336 $submission = $mysubmissions[$assignment->id];
3338 if ($submission->teacher == 0 && $submission->timemarked == 0) {
3339 $str .= $strsubmitted . ', ' . $strnotgradedyet;
3340 } else if ($submission->grade <= 0) {
3341 $str .= $strsubmitted . ', ' . $strreviewed;
3343 $str .= $strsubmitted . ', ' . $strgraded;
3346 $str .= $strnotsubmittedyet . ' ' . assignment_display_lateness(time(), $assignment->timedue);
3351 if (empty($htmlarray[$assignment->course]['assignment'])) {
3352 $htmlarray[$assignment->course]['assignment'] = $str;
3354 $htmlarray[$assignment->course]['assignment'] .= $str;
3359 function assignment_display_lateness($timesubmitted, $timedue) {
3363 $time = $timedue - $timesubmitted;
3365 $timetext = get_string('late', 'assignment', format_time($time));
3366 return ' (<span class="late">'.$timetext.'</span>)';
3368 $timetext = get_string('early', 'assignment', format_time($time));
3369 return ' (<span class="early">'.$timetext.'</span>)';
3373 function assignment_get_view_actions() {
3374 return array('view');
3377 function assignment_get_post_actions() {
3378 return array('upload');
3381 function assignment_get_types() {