1<?php
2// This file is part of Moodle - http://moodle.org/
3//
4// Moodle is free software: you can redistribute it and/or modify
5// it under the terms of the GNU General Public License as published by
6// the Free Software Foundation, either version 3 of the License, or
7// (at your option) any later version.
8//
9// Moodle is distributed in the hope that it will be useful,
10// but WITHOUT ANY WARRANTY; without even the implied warranty of
11// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12// GNU General Public License for more details.
13//
14// You should have received a copy of the GNU General Public License
15// along with Moodle.  If not, see <http://www.gnu.org/licenses/>.
16
17/**
18 * formslib.php - library of classes for creating forms in Moodle, based on PEAR QuickForms.
19 *
20 * To use formslib then you will want to create a new file purpose_form.php eg. edit_form.php
21 * and you want to name your class something like {modulename}_{purpose}_form. Your class will
22 * extend moodleform overriding abstract classes definition and optionally defintion_after_data
23 * and validation.
24 *
25 * See examples of use of this library in course/edit.php and course/edit_form.php
26 *
27 * A few notes :
28 *      form definition is used for both printing of form and processing and should be the same
29 *              for both or you may lose some submitted data which won't be let through.
30 *      you should be using setType for every form element except select, radio or checkbox
31 *              elements, these elements clean themselves.
32 *
33 * @package   core_form
34 * @copyright 2006 Jamie Pratt <me@jamiep.org>
35 * @license   http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
36 */
37
38defined('MOODLE_INTERNAL') || die();
39
40/** setup.php includes our hacked pear libs first */
41require_once 'HTML/QuickForm.php';
42require_once 'HTML/QuickForm/DHTMLRulesTableless.php';
43require_once 'HTML/QuickForm/Renderer/Tableless.php';
44require_once 'HTML/QuickForm/Rule.php';
45
46require_once $CFG->libdir.'/filelib.php';
47
48/**
49 * EDITOR_UNLIMITED_FILES - hard-coded value for the 'maxfiles' option
50 */
51define('EDITOR_UNLIMITED_FILES', -1);
52
53/**
54 * Callback called when PEAR throws an error
55 *
56 * @param PEAR_Error $error
57 */
58function pear_handle_error($error){
59    echo '<strong>'.$error->GetMessage().'</strong> '.$error->getUserInfo();
60    echo '<br /> <strong>Backtrace </strong>:';
61    print_object($error->backtrace);
62}
63
64if ($CFG->debugdeveloper) {
65    //TODO: this is a wrong place to init PEAR!
66    $GLOBALS['_PEAR_default_error_mode'] = PEAR_ERROR_CALLBACK;
67    $GLOBALS['_PEAR_default_error_options'] = 'pear_handle_error';
68}
69
70/**
71 * Initalize javascript for date type form element
72 *
73 * @staticvar bool $done make sure it gets initalize once.
74 * @global moodle_page $PAGE
75 */
76function form_init_date_js() {
77    global $PAGE;
78    static $done = false;
79    if (!$done) {
80        $done = true;
81        $calendar = \core_calendar\type_factory::get_calendar_instance();
82        if ($calendar->get_name() !== 'gregorian') {
83            // The YUI2 calendar only supports the gregorian calendar type.
84            return;
85        }
86        $module   = 'moodle-form-dateselector';
87        $function = 'M.form.dateselector.init_date_selectors';
88        $defaulttimezone = date_default_timezone_get();
89
90        $config = array(array(
91            'firstdayofweek'    => $calendar->get_starting_weekday(),
92            'mon'               => date_format_string(strtotime("Monday"), '%a', $defaulttimezone),
93            'tue'               => date_format_string(strtotime("Tuesday"), '%a', $defaulttimezone),
94            'wed'               => date_format_string(strtotime("Wednesday"), '%a', $defaulttimezone),
95            'thu'               => date_format_string(strtotime("Thursday"), '%a', $defaulttimezone),
96            'fri'               => date_format_string(strtotime("Friday"), '%a', $defaulttimezone),
97            'sat'               => date_format_string(strtotime("Saturday"), '%a', $defaulttimezone),
98            'sun'               => date_format_string(strtotime("Sunday"), '%a', $defaulttimezone),
99            'january'           => date_format_string(strtotime("January 1"), '%B', $defaulttimezone),
100            'february'          => date_format_string(strtotime("February 1"), '%B', $defaulttimezone),
101            'march'             => date_format_string(strtotime("March 1"), '%B', $defaulttimezone),
102            'april'             => date_format_string(strtotime("April 1"), '%B', $defaulttimezone),
103            'may'               => date_format_string(strtotime("May 1"), '%B', $defaulttimezone),
104            'june'              => date_format_string(strtotime("June 1"), '%B', $defaulttimezone),
105            'july'              => date_format_string(strtotime("July 1"), '%B', $defaulttimezone),
106            'august'            => date_format_string(strtotime("August 1"), '%B', $defaulttimezone),
107            'september'         => date_format_string(strtotime("September 1"), '%B', $defaulttimezone),
108            'october'           => date_format_string(strtotime("October 1"), '%B', $defaulttimezone),
109            'november'          => date_format_string(strtotime("November 1"), '%B', $defaulttimezone),
110            'december'          => date_format_string(strtotime("December 1"), '%B', $defaulttimezone)
111        ));
112        $PAGE->requires->yui_module($module, $function, $config);
113    }
114}
115
116/**
117 * Wrapper that separates quickforms syntax from moodle code
118 *
119 * Moodle specific wrapper that separates quickforms syntax from moodle code. You won't directly
120 * use this class you should write a class definition which extends this class or a more specific
121 * subclass such a moodleform_mod for each form you want to display and/or process with formslib.
122 *
123 * You will write your own definition() method which performs the form set up.
124 *
125 * @package   core_form
126 * @copyright 2006 Jamie Pratt <me@jamiep.org>
127 * @license   http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
128 * @todo      MDL-19380 rethink the file scanning
129 */
130abstract class moodleform {
131    /** @var string name of the form */
132    protected $_formname;       // form name
133
134    /** @var MoodleQuickForm quickform object definition */
135    protected $_form;
136
137    /** @var array globals workaround */
138    protected $_customdata;
139
140    /** @var array submitted form data when using mforms with ajax */
141    protected $_ajaxformdata;
142
143    /** @var object definition_after_data executed flag */
144    protected $_definition_finalized = false;
145
146    /** @var bool|null stores the validation result of this form or null if not yet validated */
147    protected $_validated = null;
148
149    /**
150     * The constructor function calls the abstract function definition() and it will then
151     * process and clean and attempt to validate incoming data.
152     *
153     * It will call your custom validate method to validate data and will also check any rules
154     * you have specified in definition using addRule
155     *
156     * The name of the form (id attribute of the form) is automatically generated depending on
157     * the name you gave the class extending moodleform. You should call your class something
158     * like
159     *
160     * @param mixed $action the action attribute for the form. If empty defaults to auto detect the
161     *              current url. If a moodle_url object then outputs params as hidden variables.
162     * @param mixed $customdata if your form defintion method needs access to data such as $course
163     *              $cm, etc. to construct the form definition then pass it in this array. You can
164     *              use globals for somethings.
165     * @param string $method if you set this to anything other than 'post' then _GET and _POST will
166     *               be merged and used as incoming data to the form.
167     * @param string $target target frame for form submission. You will rarely use this. Don't use
168     *               it if you don't need to as the target attribute is deprecated in xhtml strict.
169     * @param mixed $attributes you can pass a string of html attributes here or an array.
170     *               Special attribute 'data-random-ids' will randomise generated elements ids. This
171     *               is necessary when there are several forms on the same page.
172     *               Special attribute 'data-double-submit-protection' set to 'off' will turn off
173     *               double-submit protection JavaScript - this may be necessary if your form sends
174     *               downloadable files in response to a submit button, and can't call
175     *               \core_form\util::form_download_complete();
176     * @param bool $editable
177     * @param array $ajaxformdata Forms submitted via ajax, must pass their data here, instead of relying on _GET and _POST.
178     */
179    public function __construct($action=null, $customdata=null, $method='post', $target='', $attributes=null, $editable=true,
180                                $ajaxformdata=null) {
181        global $CFG, $FULLME;
182        // no standard mform in moodle should allow autocomplete with the exception of user signup
183        if (empty($attributes)) {
184            $attributes = array('autocomplete'=>'off');
185        } else if (is_array($attributes)) {
186            $attributes['autocomplete'] = 'off';
187        } else {
188            if (strpos($attributes, 'autocomplete') === false) {
189                $attributes .= ' autocomplete="off" ';
190            }
191        }
192
193
194        if (empty($action)){
195            // do not rely on PAGE->url here because dev often do not setup $actualurl properly in admin_externalpage_setup()
196            $action = strip_querystring($FULLME);
197            if (!empty($CFG->sslproxy)) {
198                // return only https links when using SSL proxy
199                $action = preg_replace('/^http:/', 'https:', $action, 1);
200            }
201            //TODO: use following instead of FULLME - see MDL-33015
202            //$action = strip_querystring(qualified_me());
203        }
204        // Assign custom data first, so that get_form_identifier can use it.
205        $this->_customdata = $customdata;
206        $this->_formname = $this->get_form_identifier();
207        $this->_ajaxformdata = $ajaxformdata;
208
209        $this->_form = new MoodleQuickForm($this->_formname, $method, $action, $target, $attributes, $ajaxformdata);
210        if (!$editable){
211            $this->_form->hardFreeze();
212        }
213
214        $this->definition();
215
216        $this->_form->addElement('hidden', 'sesskey', null); // automatic sesskey protection
217        $this->_form->setType('sesskey', PARAM_RAW);
218        $this->_form->setDefault('sesskey', sesskey());
219        $this->_form->addElement('hidden', '_qf__'.$this->_formname, null);   // form submission marker
220        $this->_form->setType('_qf__'.$this->_formname, PARAM_RAW);
221        $this->_form->setDefault('_qf__'.$this->_formname, 1);
222        $this->_form->_setDefaultRuleMessages();
223
224        // Hook to inject logic after the definition was provided.
225        $this->after_definition();
226
227        // we have to know all input types before processing submission ;-)
228        $this->_process_submission($method);
229    }
230
231    /**
232     * Old syntax of class constructor. Deprecated in PHP7.
233     *
234     * @deprecated since Moodle 3.1
235     */
236    public function moodleform($action=null, $customdata=null, $method='post', $target='', $attributes=null, $editable=true) {
237        debugging('Use of class name as constructor is deprecated', DEBUG_DEVELOPER);
238        self::__construct($action, $customdata, $method, $target, $attributes, $editable);
239    }
240
241    /**
242     * It should returns unique identifier for the form.
243     * Currently it will return class name, but in case two same forms have to be
244     * rendered on same page then override function to get unique form identifier.
245     * e.g This is used on multiple self enrollments page.
246     *
247     * @return string form identifier.
248     */
249    protected function get_form_identifier() {
250        $class = get_class($this);
251
252        return preg_replace('/[^a-z0-9_]/i', '_', $class);
253    }
254
255    /**
256     * To autofocus on first form element or first element with error.
257     *
258     * @param string $name if this is set then the focus is forced to a field with this name
259     * @return string javascript to select form element with first error or
260     *                first element if no errors. Use this as a parameter
261     *                when calling print_header
262     */
263    function focus($name=NULL) {
264        $form =& $this->_form;
265        $elkeys = array_keys($form->_elementIndex);
266        $error = false;
267        if (isset($form->_errors) &&  0 != count($form->_errors)){
268            $errorkeys = array_keys($form->_errors);
269            $elkeys = array_intersect($elkeys, $errorkeys);
270            $error = true;
271        }
272
273        if ($error or empty($name)) {
274            $names = array();
275            while (empty($names) and !empty($elkeys)) {
276                $el = array_shift($elkeys);
277                $names = $form->_getElNamesRecursive($el);
278            }
279            if (!empty($names)) {
280                $name = array_shift($names);
281            }
282        }
283
284        $focus = '';
285        if (!empty($name)) {
286            $focus = 'forms[\''.$form->getAttribute('id').'\'].elements[\''.$name.'\']';
287        }
288
289        return $focus;
290     }
291
292    /**
293     * Internal method. Alters submitted data to be suitable for quickforms processing.
294     * Must be called when the form is fully set up.
295     *
296     * @param string $method name of the method which alters submitted data
297     */
298    function _process_submission($method) {
299        $submission = array();
300        if (!empty($this->_ajaxformdata)) {
301            $submission = $this->_ajaxformdata;
302        } else if ($method == 'post') {
303            if (!empty($_POST)) {
304                $submission = $_POST;
305            }
306        } else {
307            $submission = $_GET;
308            merge_query_params($submission, $_POST); // Emulate handling of parameters in xxxx_param().
309        }
310
311        // following trick is needed to enable proper sesskey checks when using GET forms
312        // the _qf__.$this->_formname serves as a marker that form was actually submitted
313        if (array_key_exists('_qf__'.$this->_formname, $submission) and $submission['_qf__'.$this->_formname] == 1) {
314            if (!confirm_sesskey()) {
315                print_error('invalidsesskey');
316            }
317            $files = $_FILES;
318        } else {
319            $submission = array();
320            $files = array();
321        }
322        $this->detectMissingSetType();
323
324        $this->_form->updateSubmission($submission, $files);
325    }
326
327    /**
328     * Internal method - should not be used anywhere.
329     * @deprecated since 2.6
330     * @return array $_POST.
331     */
332    protected function _get_post_params() {
333        return $_POST;
334    }
335
336    /**
337     * Internal method. Validates all old-style deprecated uploaded files.
338     * The new way is to upload files via repository api.
339     *
340     * @param array $files list of files to be validated
341     * @return bool|array Success or an array of errors
342     */
343    function _validate_files(&$files) {
344        global $CFG, $COURSE;
345
346        $files = array();
347
348        if (empty($_FILES)) {
349            // we do not need to do any checks because no files were submitted
350            // note: server side rules do not work for files - use custom verification in validate() instead
351            return true;
352        }
353
354        $errors = array();
355        $filenames = array();
356
357        // now check that we really want each file
358        foreach ($_FILES as $elname=>$file) {
359            $required = $this->_form->isElementRequired($elname);
360
361            if ($file['error'] == 4 and $file['size'] == 0) {
362                if ($required) {
363                    $errors[$elname] = get_string('required');
364                }
365                unset($_FILES[$elname]);
366                continue;
367            }
368
369            if (!empty($file['error'])) {
370                $errors[$elname] = file_get_upload_error($file['error']);
371                unset($_FILES[$elname]);
372                continue;
373            }
374
375            if (!is_uploaded_file($file['tmp_name'])) {
376                // TODO: improve error message
377                $errors[$elname] = get_string('error');
378                unset($_FILES[$elname]);
379                continue;
380            }
381
382            if (!$this->_form->elementExists($elname) or !$this->_form->getElementType($elname)=='file') {
383                // hmm, this file was not requested
384                unset($_FILES[$elname]);
385                continue;
386            }
387
388            // NOTE: the viruses are scanned in file picker, no need to deal with them here.
389
390            $filename = clean_param($_FILES[$elname]['name'], PARAM_FILE);
391            if ($filename === '') {
392                // TODO: improve error message - wrong chars
393                $errors[$elname] = get_string('error');
394                unset($_FILES[$elname]);
395                continue;
396            }
397            if (in_array($filename, $filenames)) {
398                // TODO: improve error message - duplicate name
399                $errors[$elname] = get_string('error');
400                unset($_FILES[$elname]);
401                continue;
402            }
403            $filenames[] = $filename;
404            $_FILES[$elname]['name'] = $filename;
405
406            $files[$elname] = $_FILES[$elname]['tmp_name'];
407        }
408
409        // return errors if found
410        if (count($errors) == 0){
411            return true;
412
413        } else {
414            $files = array();
415            return $errors;
416        }
417    }
418
419    /**
420     * Internal method. Validates filepicker and filemanager files if they are
421     * set as required fields. Also, sets the error message if encountered one.
422     *
423     * @return bool|array with errors
424     */
425    protected function validate_draft_files() {
426        global $USER;
427        $mform =& $this->_form;
428
429        $errors = array();
430        //Go through all the required elements and make sure you hit filepicker or
431        //filemanager element.
432        foreach ($mform->_rules as $elementname => $rules) {
433            $elementtype = $mform->getElementType($elementname);
434            //If element is of type filepicker then do validation
435            if (($elementtype == 'filepicker') || ($elementtype == 'filemanager')){
436                //Check if rule defined is required rule
437                foreach ($rules as $rule) {
438                    if ($rule['type'] == 'required') {
439                        $draftid = (int)$mform->getSubmitValue($elementname);
440                        $fs = get_file_storage();
441                        $context = context_user::instance($USER->id);
442                        if (!$files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, 'id DESC', false)) {
443                            $errors[$elementname] = $rule['message'];
444                        }
445                    }
446                }
447            }
448        }
449        // Check all the filemanager elements to make sure they do not have too many
450        // files in them.
451        foreach ($mform->_elements as $element) {
452            if ($element->_type == 'filemanager') {
453                $maxfiles = $element->getMaxfiles();
454                if ($maxfiles > 0) {
455                    $draftid = (int)$element->getValue();
456                    $fs = get_file_storage();
457                    $context = context_user::instance($USER->id);
458                    $files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, '', false);
459                    if (count($files) > $maxfiles) {
460                        $errors[$element->getName()] = get_string('err_maxfiles', 'form', $maxfiles);
461                    }
462                }
463            }
464        }
465        if (empty($errors)) {
466            return true;
467        } else {
468            return $errors;
469        }
470    }
471
472    /**
473     * Load in existing data as form defaults. Usually new entry defaults are stored directly in
474     * form definition (new entry form); this function is used to load in data where values
475     * already exist and data is being edited (edit entry form).
476     *
477     * note: $slashed param removed
478     *
479     * @param stdClass|array $default_values object or array of default values
480     */
481    function set_data($default_values) {
482        if (is_object($default_values)) {
483            $default_values = (array)$default_values;
484        }
485        $this->_form->setDefaults($default_values);
486    }
487
488    /**
489     * Check that form was submitted. Does not check validity of submitted data.
490     *
491     * @return bool true if form properly submitted
492     */
493    function is_submitted() {
494        return $this->_form->isSubmitted();
495    }
496
497    /**
498     * Checks if button pressed is not for submitting the form
499     *
500     * @staticvar bool $nosubmit keeps track of no submit button
501     * @return bool
502     */
503    function no_submit_button_pressed(){
504        static $nosubmit = null; // one check is enough
505        if (!is_null($nosubmit)){
506            return $nosubmit;
507        }
508        $mform =& $this->_form;
509        $nosubmit = false;
510        if (!$this->is_submitted()){
511            return false;
512        }
513        foreach ($mform->_noSubmitButtons as $nosubmitbutton){
514            if ($this->optional_param($nosubmitbutton, 0, PARAM_RAW)) {
515                $nosubmit = true;
516                break;
517            }
518        }
519        return $nosubmit;
520    }
521
522    /**
523     * Checks if a parameter was passed in the previous form submission
524     *
525     * @param string $name the name of the page parameter we want
526     * @param mixed  $default the default value to return if nothing is found
527     * @param string $type expected type of parameter
528     * @return mixed
529     */
530    public function optional_param($name, $default, $type) {
531        if (isset($this->_ajaxformdata[$name])) {
532            return clean_param($this->_ajaxformdata[$name], $type);
533        } else {
534            return optional_param($name, $default, $type);
535        }
536    }
537
538    /**
539     * Check that form data is valid.
540     * You should almost always use this, rather than {@link validate_defined_fields}
541     *
542     * @return bool true if form data valid
543     */
544    function is_validated() {
545        //finalize the form definition before any processing
546        if (!$this->_definition_finalized) {
547            $this->_definition_finalized = true;
548            $this->definition_after_data();
549        }
550
551        return $this->validate_defined_fields();
552    }
553
554    /**
555     * Validate the form.
556     *
557     * You almost always want to call {@link is_validated} instead of this
558     * because it calls {@link definition_after_data} first, before validating the form,
559     * which is what you want in 99% of cases.
560     *
561     * This is provided as a separate function for those special cases where
562     * you want the form validated before definition_after_data is called
563     * for example, to selectively add new elements depending on a no_submit_button press,
564     * but only when the form is valid when the no_submit_button is pressed,
565     *
566     * @param bool $validateonnosubmit optional, defaults to false.  The default behaviour
567     *             is NOT to validate the form when a no submit button has been pressed.
568     *             pass true here to override this behaviour
569     *
570     * @return bool true if form data valid
571     */
572    function validate_defined_fields($validateonnosubmit=false) {
573        $mform =& $this->_form;
574        if ($this->no_submit_button_pressed() && empty($validateonnosubmit)){
575            return false;
576        } elseif ($this->_validated === null) {
577            $internal_val = $mform->validate();
578
579            $files = array();
580            $file_val = $this->_validate_files($files);
581            //check draft files for validation and flag them if required files
582            //are not in draft area.
583            $draftfilevalue = $this->validate_draft_files();
584
585            if ($file_val !== true && $draftfilevalue !== true) {
586                $file_val = array_merge($file_val, $draftfilevalue);
587            } else if ($draftfilevalue !== true) {
588                $file_val = $draftfilevalue;
589            } //default is file_val, so no need to assign.
590
591            if ($file_val !== true) {
592                if (!empty($file_val)) {
593                    foreach ($file_val as $element=>$msg) {
594                        $mform->setElementError($element, $msg);
595                    }
596                }
597                $file_val = false;
598            }
599
600            // Give the elements a chance to perform an implicit validation.
601            $element_val = true;
602            foreach ($mform->_elements as $element) {
603                if (method_exists($element, 'validateSubmitValue')) {
604                    $value = $mform->getSubmitValue($element->getName());
605                    $result = $element->validateSubmitValue($value);
606                    if (!empty($result) && is_string($result)) {
607                        $element_val = false;
608                        $mform->setElementError($element->getName(), $result);
609                    }
610                }
611            }
612
613            // Let the form instance validate the submitted values.
614            $data = $mform->exportValues();
615            $moodle_val = $this->validation($data, $files);
616            if ((is_array($moodle_val) && count($moodle_val)!==0)) {
617                // non-empty array means errors
618                foreach ($moodle_val as $element=>$msg) {
619                    $mform->setElementError($element, $msg);
620                }
621                $moodle_val = false;
622
623            } else {
624                // anything else means validation ok
625                $moodle_val = true;
626            }
627
628            $this->_validated = ($internal_val and $element_val and $moodle_val and $file_val);
629        }
630        return $this->_validated;
631    }
632
633    /**
634     * Return true if a cancel button has been pressed resulting in the form being submitted.
635     *
636     * @return bool true if a cancel button has been pressed
637     */
638    function is_cancelled(){
639        $mform =& $this->_form;
640        if ($mform->isSubmitted()){
641            foreach ($mform->_cancelButtons as $cancelbutton){
642                if ($this->optional_param($cancelbutton, 0, PARAM_RAW)) {
643                    return true;
644                }
645            }
646        }
647        return false;
648    }
649
650    /**
651     * Return submitted data if properly submitted or returns NULL if validation fails or
652     * if there is no submitted data.
653     *
654     * note: $slashed param removed
655     *
656     * @return object submitted data; NULL if not valid or not submitted or cancelled
657     */
658    function get_data() {
659        $mform =& $this->_form;
660
661        if (!$this->is_cancelled() and $this->is_submitted() and $this->is_validated()) {
662            $data = $mform->exportValues();
663            unset($data['sesskey']); // we do not need to return sesskey
664            unset($data['_qf__'.$this->_formname]);   // we do not need the submission marker too
665            if (empty($data)) {
666                return NULL;
667            } else {
668                return (object)$data;
669            }
670        } else {
671            return NULL;
672        }
673    }
674
675    /**
676     * Return submitted data without validation or NULL if there is no submitted data.
677     * note: $slashed param removed
678     *
679     * @return object submitted data; NULL if not submitted
680     */
681    function get_submitted_data() {
682        $mform =& $this->_form;
683
684        if ($this->is_submitted()) {
685            $data = $mform->exportValues();
686            unset($data['sesskey']); // we do not need to return sesskey
687            unset($data['_qf__'.$this->_formname]);   // we do not need the submission marker too
688            if (empty($data)) {
689                return NULL;
690            } else {
691                return (object)$data;
692            }
693        } else {
694            return NULL;
695        }
696    }
697
698    /**
699     * Save verified uploaded files into directory. Upload process can be customised from definition()
700     *
701     * @deprecated since Moodle 2.0
702     * @todo MDL-31294 remove this api
703     * @see moodleform::save_stored_file()
704     * @see moodleform::save_file()
705     * @param string $destination path where file should be stored
706     * @return bool Always false
707     */
708    function save_files($destination) {
709        debugging('Not used anymore, please fix code! Use save_stored_file() or save_file() instead');
710        return false;
711    }
712
713    /**
714     * Returns name of uploaded file.
715     *
716     * @param string $elname first element if null
717     * @return string|bool false in case of failure, string if ok
718     */
719    function get_new_filename($elname=null) {
720        global $USER;
721
722        if (!$this->is_submitted() or !$this->is_validated()) {
723            return false;
724        }
725
726        if (is_null($elname)) {
727            if (empty($_FILES)) {
728                return false;
729            }
730            reset($_FILES);
731            $elname = key($_FILES);
732        }
733
734        if (empty($elname)) {
735            return false;
736        }
737
738        $element = $this->_form->getElement($elname);
739
740        if ($element instanceof MoodleQuickForm_filepicker || $element instanceof MoodleQuickForm_filemanager) {
741            $values = $this->_form->exportValues($elname);
742            if (empty($values[$elname])) {
743                return false;
744            }
745            $draftid = $values[$elname];
746            $fs = get_file_storage();
747            $context = context_user::instance($USER->id);
748            if (!$files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, 'id DESC', false)) {
749                return false;
750            }
751            $file = reset($files);
752            return $file->get_filename();
753        }
754
755        if (!isset($_FILES[$elname])) {
756            return false;
757        }
758
759        return $_FILES[$elname]['name'];
760    }
761
762    /**
763     * Save file to standard filesystem
764     *
765     * @param string $elname name of element
766     * @param string $pathname full path name of file
767     * @param bool $override override file if exists
768     * @return bool success
769     */
770    function save_file($elname, $pathname, $override=false) {
771        global $USER;
772
773        if (!$this->is_submitted() or !$this->is_validated()) {
774            return false;
775        }
776        if (file_exists($pathname)) {
777            if ($override) {
778                if (!@unlink($pathname)) {
779                    return false;
780                }
781            } else {
782                return false;
783            }
784        }
785
786        $element = $this->_form->getElement($elname);
787
788        if ($element instanceof MoodleQuickForm_filepicker || $element instanceof MoodleQuickForm_filemanager) {
789            $values = $this->_form->exportValues($elname);
790            if (empty($values[$elname])) {
791                return false;
792            }
793            $draftid = $values[$elname];
794            $fs = get_file_storage();
795            $context = context_user::instance($USER->id);
796            if (!$files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, 'id DESC', false)) {
797                return false;
798            }
799            $file = reset($files);
800
801            return $file->copy_content_to($pathname);
802
803        } else if (isset($_FILES[$elname])) {
804            return copy($_FILES[$elname]['tmp_name'], $pathname);
805        }
806
807        return false;
808    }
809
810    /**
811     * Returns a temporary file, do not forget to delete after not needed any more.
812     *
813     * @param string $elname name of the elmenet
814     * @return string|bool either string or false
815     */
816    function save_temp_file($elname) {
817        if (!$this->get_new_filename($elname)) {
818            return false;
819        }
820        if (!$dir = make_temp_directory('forms')) {
821            return false;
822        }
823        if (!$tempfile = tempnam($dir, 'tempup_')) {
824            return false;
825        }
826        if (!$this->save_file($elname, $tempfile, true)) {
827            // something went wrong
828            @unlink($tempfile);
829            return false;
830        }
831
832        return $tempfile;
833    }
834
835    /**
836     * Get draft files of a form element
837     * This is a protected method which will be used only inside moodleforms
838     *
839     * @param string $elname name of element
840     * @return array|bool|null
841     */
842    protected function get_draft_files($elname) {
843        global $USER;
844
845        if (!$this->is_submitted()) {
846            return false;
847        }
848
849        $element = $this->_form->getElement($elname);
850
851        if ($element instanceof MoodleQuickForm_filepicker || $element instanceof MoodleQuickForm_filemanager) {
852            $values = $this->_form->exportValues($elname);
853            if (empty($values[$elname])) {
854                return false;
855            }
856            $draftid = $values[$elname];
857            $fs = get_file_storage();
858            $context = context_user::instance($USER->id);
859            if (!$files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, 'id DESC', false)) {
860                return null;
861            }
862            return $files;
863        }
864        return null;
865    }
866
867    /**
868     * Save file to local filesystem pool
869     *
870     * @param string $elname name of element
871     * @param int $newcontextid id of context
872     * @param string $newcomponent name of the component
873     * @param string $newfilearea name of file area
874     * @param int $newitemid item id
875     * @param string $newfilepath path of file where it get stored
876     * @param string $newfilename use specified filename, if not specified name of uploaded file used
877     * @param bool $overwrite overwrite file if exists
878     * @param int $newuserid new userid if required
879     * @return mixed stored_file object or false if error; may throw exception if duplicate found
880     */
881    function save_stored_file($elname, $newcontextid, $newcomponent, $newfilearea, $newitemid, $newfilepath='/',
882                              $newfilename=null, $overwrite=false, $newuserid=null) {
883        global $USER;
884
885        if (!$this->is_submitted() or !$this->is_validated()) {
886            return false;
887        }
888
889        if (empty($newuserid)) {
890            $newuserid = $USER->id;
891        }
892
893        $element = $this->_form->getElement($elname);
894        $fs = get_file_storage();
895
896        if ($element instanceof MoodleQuickForm_filepicker) {
897            $values = $this->_form->exportValues($elname);
898            if (empty($values[$elname])) {
899                return false;
900            }
901            $draftid = $values[$elname];
902            $context = context_user::instance($USER->id);
903            if (!$files = $fs->get_area_files($context->id, 'user' ,'draft', $draftid, 'id DESC', false)) {
904                return false;
905            }
906            $file = reset($files);
907            if (is_null($newfilename)) {
908                $newfilename = $file->get_filename();
909            }
910
911            if ($overwrite) {
912                if ($oldfile = $fs->get_file($newcontextid, $newcomponent, $newfilearea, $newitemid, $newfilepath, $newfilename)) {
913                    if (!$oldfile->delete()) {
914                        return false;
915                    }
916                }
917            }
918
919            $file_record = array('contextid'=>$newcontextid, 'component'=>$newcomponent, 'filearea'=>$newfilearea, 'itemid'=>$newitemid,
920                                 'filepath'=>$newfilepath, 'filename'=>$newfilename, 'userid'=>$newuserid);
921            return $fs->create_file_from_storedfile($file_record, $file);
922
923        } else if (isset($_FILES[$elname])) {
924            $filename = is_null($newfilename) ? $_FILES[$elname]['name'] : $newfilename;
925
926            if ($overwrite) {
927                if ($oldfile = $fs->get_file($newcontextid, $newcomponent, $newfilearea, $newitemid, $newfilepath, $newfilename)) {
928                    if (!$oldfile->delete()) {
929                        return false;
930                    }
931                }
932            }
933
934            $file_record = array('contextid'=>$newcontextid, 'component'=>$newcomponent, 'filearea'=>$newfilearea, 'itemid'=>$newitemid,
935                                 'filepath'=>$newfilepath, 'filename'=>$newfilename, 'userid'=>$newuserid);
936            return $fs->create_file_from_pathname($file_record, $_FILES[$elname]['tmp_name']);
937        }
938
939        return false;
940    }
941
942    /**
943     * Get content of uploaded file.
944     *
945     * @param string $elname name of file upload element
946     * @return string|bool false in case of failure, string if ok
947     */
948    function get_file_content($elname) {
949        global $USER;
950
951        if (!$this->is_submitted() or !$this->is_validated()) {
952            return false;
953        }
954
955        $element = $this->_form->getElement($elname);
956
957        if ($element instanceof MoodleQuickForm_filepicker || $element instanceof MoodleQuickForm_filemanager) {
958            $values = $this->_form->exportValues($elname);
959            if (empty($values[$elname])) {
960                return false;
961            }
962            $draftid = $values[$elname];
963            $fs = get_file_storage();
964            $context = context_user::instance($USER->id);
965            if (!$files = $fs->get_area_files($context->id, 'user', 'draft', $draftid, 'id DESC', false)) {
966                return false;
967            }
968            $file = reset($files);
969
970            return $file->get_content();
971
972        } else if (isset($_FILES[$elname])) {
973            return file_get_contents($_FILES[$elname]['tmp_name']);
974        }
975
976        return false;
977    }
978
979    /**
980     * Print html form.
981     */
982    function display() {
983        //finalize the form definition if not yet done
984        if (!$this->_definition_finalized) {
985            $this->_definition_finalized = true;
986            $this->definition_after_data();
987        }
988
989        $this->_form->display();
990    }
991
992    /**
993     * Renders the html form (same as display, but returns the result).
994     *
995     * Note that you can only output this rendered result once per page, as
996     * it contains IDs which must be unique.
997     *
998     * @return string HTML code for the form
999     */
1000    public function render() {
1001        ob_start();
1002        $this->display();
1003        $out = ob_get_contents();
1004        ob_end_clean();
1005        return $out;
1006    }
1007
1008    /**
1009     * Form definition. Abstract method - always override!
1010     */
1011    protected abstract function definition();
1012
1013    /**
1014     * After definition hook.
1015     *
1016     * This is useful for intermediate classes to inject logic after the definition was
1017     * provided without requiring developers to call the parent {{@link self::definition()}}
1018     * as it's not obvious by design. The 'intermediate' class is 'MyClass extends
1019     * IntermediateClass extends moodleform'.
1020     *
1021     * Classes overriding this method should always call the parent. We may not add
1022     * anything specifically in this instance of the method, but intermediate classes
1023     * are likely to do so, and so it is a good practice to always call the parent.
1024     *
1025     * @return void
1026     */
1027    protected function after_definition() {
1028    }
1029
1030    /**
1031     * Dummy stub method - override if you need to setup the form depending on current
1032     * values. This method is called after definition(), data submission and set_data().
1033     * All form setup that is dependent on form values should go in here.
1034     */
1035    function definition_after_data(){
1036    }
1037
1038    /**
1039     * Dummy stub method - override if you needed to perform some extra validation.
1040     * If there are errors return array of errors ("fieldname"=>"error message"),
1041     * otherwise true if ok.
1042     *
1043     * Server side rules do not work for uploaded files, implement serverside rules here if needed.
1044     *
1045     * @param array $data array of ("fieldname"=>value) of submitted data
1046     * @param array $files array of uploaded files "element_name"=>tmp_file_path
1047     * @return array of "element_name"=>"error_description" if there are errors,
1048     *         or an empty array if everything is OK (true allowed for backwards compatibility too).
1049     */
1050    function validation($data, $files) {
1051        return array();
1052    }
1053
1054    /**
1055     * Helper used by {@link repeat_elements()}.
1056     *
1057     * @param int $i the index of this element.
1058     * @param HTML_QuickForm_element $elementclone
1059     * @param array $namecloned array of names
1060     */
1061    function repeat_elements_fix_clone($i, $elementclone, &$namecloned) {
1062        $name = $elementclone->getName();
1063        $namecloned[] = $name;
1064
1065        if (!empty($name)) {
1066            $elementclone->setName($name."[$i]");
1067        }
1068
1069        if (is_a($elementclone, 'HTML_QuickForm_header')) {
1070            $value = $elementclone->_text;
1071            $elementclone->setValue(str_replace('{no}', ($i+1), $value));
1072
1073        } else if (is_a($elementclone, 'HTML_QuickForm_submit') || is_a($elementclone, 'HTML_QuickForm_button')) {
1074            $elementclone->setValue(str_replace('{no}', ($i+1), $elementclone->getValue()));
1075
1076        } else {
1077            $value=$elementclone->getLabel();
1078            $elementclone->setLabel(str_replace('{no}', ($i+1), $value));
1079        }
1080    }
1081
1082    /**
1083     * Method to add a repeating group of elements to a form.
1084     *
1085     * @param array $elementobjs Array of elements or groups of elements that are to be repeated
1086     * @param int $repeats no of times to repeat elements initially
1087     * @param array $options a nested array. The first array key is the element name.
1088     *    the second array key is the type of option to set, and depend on that option,
1089     *    the value takes different forms.
1090     *         'default'    - default value to set. Can include '{no}' which is replaced by the repeat number.
1091     *         'type'       - PARAM_* type.
1092     *         'helpbutton' - array containing the helpbutton params.
1093     *         'disabledif' - array containing the disabledIf() arguments after the element name.
1094     *         'rule'       - array containing the addRule arguments after the element name.
1095     *         'expanded'   - whether this section of the form should be expanded by default. (Name be a header element.)
1096     *         'advanced'   - whether this element is hidden by 'Show more ...'.
1097     * @param string $repeathiddenname name for hidden element storing no of repeats in this form
1098     * @param string $addfieldsname name for button to add more fields
1099     * @param int $addfieldsno how many fields to add at a time
1100     * @param string $addstring name of button, {no} is replaced by no of blanks that will be added.
1101     * @param bool $addbuttoninside if true, don't call closeHeaderBefore($addfieldsname). Default false.
1102     * @return int no of repeats of element in this page
1103     */
1104    function repeat_elements($elementobjs, $repeats, $options, $repeathiddenname,
1105            $addfieldsname, $addfieldsno=5, $addstring=null, $addbuttoninside=false){
1106        if ($addstring===null){
1107            $addstring = get_string('addfields', 'form', $addfieldsno);
1108        } else {
1109            $addstring = str_ireplace('{no}', $addfieldsno, $addstring);
1110        }
1111        $repeats = $this->optional_param($repeathiddenname, $repeats, PARAM_INT);
1112        $addfields = $this->optional_param($addfieldsname, '', PARAM_TEXT);
1113        $oldrepeats = $repeats;
1114        if (!empty($addfields)){
1115            $repeats += $addfieldsno;
1116        }
1117        $mform =& $this->_form;
1118        $mform->registerNoSubmitButton($addfieldsname);
1119        $mform->addElement('hidden', $repeathiddenname, $repeats);
1120        $mform->setType($repeathiddenname, PARAM_INT);
1121        //value not to be overridden by submitted value
1122        $mform->setConstants(array($repeathiddenname=>$repeats));
1123        $namecloned = array();
1124        for ($i = 0; $i < $repeats; $i++) {
1125            foreach ($elementobjs as $elementobj){
1126                $elementclone = fullclone($elementobj);
1127                $this->repeat_elements_fix_clone($i, $elementclone, $namecloned);
1128
1129                if ($elementclone instanceof HTML_QuickForm_group && !$elementclone->_appendName) {
1130                    foreach ($elementclone->getElements() as $el) {
1131                        $this->repeat_elements_fix_clone($i, $el, $namecloned);
1132                    }
1133                    $elementclone->setLabel(str_replace('{no}', $i + 1, $elementclone->getLabel()));
1134                }
1135
1136                // Mark newly created elements, so they know not to look for any submitted data.
1137                if ($i >= $oldrepeats) {
1138                    $mform->note_new_repeat($elementclone->getName());
1139                }
1140
1141                $mform->addElement($elementclone);
1142            }
1143        }
1144        for ($i=0; $i<$repeats; $i++) {
1145            foreach ($options as $elementname => $elementoptions){
1146                $pos=strpos($elementname, '[');
1147                if ($pos!==FALSE){
1148                    $realelementname = substr($elementname, 0, $pos)."[$i]";
1149                    $realelementname .= substr($elementname, $pos);
1150                }else {
1151                    $realelementname = $elementname."[$i]";
1152                }
1153                foreach ($elementoptions as  $option => $params){
1154
1155                    switch ($option){
1156                        case 'default' :
1157                            $mform->setDefault($realelementname, str_replace('{no}', $i + 1, $params));
1158                            break;
1159                        case 'helpbutton' :
1160                            $params = array_merge(array($realelementname), $params);
1161                            call_user_func_array(array(&$mform, 'addHelpButton'), $params);
1162                            break;
1163                        case 'disabledif' :
1164                            foreach ($namecloned as $num => $name){
1165                                if ($params[0] == $name){
1166                                    $params[0] = $params[0]."[$i]";
1167                                    break;
1168                                }
1169                            }
1170                            $params = array_merge(array($realelementname), $params);
1171                            call_user_func_array(array(&$mform, 'disabledIf'), $params);
1172                            break;
1173                        case 'hideif' :
1174                            foreach ($namecloned as $num => $name){
1175                                if ($params[0] == $name){
1176                                    $params[0] = $params[0]."[$i]";
1177                                    break;
1178                                }
1179                            }
1180                            $params = array_merge(array($realelementname), $params);
1181                            call_user_func_array(array(&$mform, 'hideIf'), $params);
1182                            break;
1183                        case 'rule' :
1184                            if (is_string($params)){
1185                                $params = array(null, $params, null, 'client');
1186                            }
1187                            $params = array_merge(array($realelementname), $params);
1188                            call_user_func_array(array(&$mform, 'addRule'), $params);
1189                            break;
1190
1191                        case 'type':
1192                            $mform->setType($realelementname, $params);
1193                            break;
1194
1195                        case 'expanded':
1196                            $mform->setExpanded($realelementname, $params);
1197                            break;
1198
1199                        case 'advanced' :
1200                            $mform->setAdvanced($realelementname, $params);
1201                            break;
1202                    }
1203                }
1204            }
1205        }
1206        $mform->addElement('submit', $addfieldsname, $addstring);
1207
1208        if (!$addbuttoninside) {
1209            $mform->closeHeaderBefore($addfieldsname);
1210        }
1211
1212        return $repeats;
1213    }
1214
1215    /**
1216     * Adds a link/button that controls the checked state of a group of checkboxes.
1217     *
1218     * @param int $groupid The id of the group of advcheckboxes this element controls
1219     * @param string $text The text of the link. Defaults to selectallornone ("select all/none")
1220     * @param array $attributes associative array of HTML attributes
1221     * @param int $originalValue The original general state of the checkboxes before the user first clicks this element
1222     */
1223    function add_checkbox_controller($groupid, $text = null, $attributes = null, $originalValue = 0) {
1224        global $CFG, $PAGE;
1225
1226        // Name of the controller button
1227        $checkboxcontrollername = 'nosubmit_checkbox_controller' . $groupid;
1228        $checkboxcontrollerparam = 'checkbox_controller'. $groupid;
1229        $checkboxgroupclass = 'checkboxgroup'.$groupid;
1230
1231        // Set the default text if none was specified
1232        if (empty($text)) {
1233            $text = get_string('selectallornone', 'form');
1234        }
1235
1236        $mform = $this->_form;
1237        $selectvalue = $this->optional_param($checkboxcontrollerparam, null, PARAM_INT);
1238        $contollerbutton = $this->optional_param($checkboxcontrollername, null, PARAM_ALPHAEXT);
1239
1240        $newselectvalue = $selectvalue;
1241        if (is_null($selectvalue)) {
1242            $newselectvalue = $originalValue;
1243        } else if (!is_null($contollerbutton)) {
1244            $newselectvalue = (int) !$selectvalue;
1245        }
1246        // set checkbox state depending on orignal/submitted value by controoler button
1247        if (!is_null($contollerbutton) || is_null($selectvalue)) {
1248            foreach ($mform->_elements as $element) {
1249                if (($element instanceof MoodleQuickForm_advcheckbox) &&
1250                        $element->getAttribute('class') == $checkboxgroupclass &&
1251                        !$element->isFrozen()) {
1252                    $mform->setConstants(array($element->getName() => $newselectvalue));
1253                }
1254            }
1255        }
1256
1257        $mform->addElement('hidden', $checkboxcontrollerparam, $newselectvalue, array('id' => "id_".$checkboxcontrollerparam));
1258        $mform->setType($checkboxcontrollerparam, PARAM_INT);
1259        $mform->setConstants(array($checkboxcontrollerparam => $newselectvalue));
1260
1261        $PAGE->requires->yui_module('moodle-form-checkboxcontroller', 'M.form.checkboxcontroller',
1262                array(
1263                    array('groupid' => $groupid,
1264                        'checkboxclass' => $checkboxgroupclass,
1265                        'checkboxcontroller' => $checkboxcontrollerparam,
1266                        'controllerbutton' => $checkboxcontrollername)
1267                    )
1268                );
1269
1270        require_once("$CFG->libdir/form/submit.php");
1271        $submitlink = new MoodleQuickForm_submit($checkboxcontrollername, $attributes);
1272        $mform->addElement($submitlink);
1273        $mform->registerNoSubmitButton($checkboxcontrollername);
1274        $mform->setDefault($checkboxcontrollername, $text);
1275    }
1276
1277    /**
1278     * Use this method to a cancel and submit button to the end of your form. Pass a param of false
1279     * if you don't want a cancel button in your form. If you have a cancel button make sure you
1280     * check for it being pressed using is_cancelled() and redirecting if it is true before trying to
1281     * get data with get_data().
1282     *
1283     * @param bool $cancel whether to show cancel button, default true
1284     * @param string $submitlabel label for submit button, defaults to get_string('savechanges')
1285     */
1286    function add_action_buttons($cancel = true, $submitlabel=null){
1287        if (is_null($submitlabel)){
1288            $submitlabel = get_string('savechanges');
1289        }
1290        $mform =& $this->_form;
1291        if ($cancel){
1292            //when two elements we need a group
1293            $buttonarray=array();
1294            $buttonarray[] = &$mform->createElement('submit', 'submitbutton', $submitlabel);
1295            $buttonarray[] = &$mform->createElement('cancel');
1296            $mform->addGroup($buttonarray, 'buttonar', '', array(' '), false);
1297            $mform->closeHeaderBefore('buttonar');
1298        } else {
1299            //no group needed
1300            $mform->addElement('submit', 'submitbutton', $submitlabel);
1301            $mform->closeHeaderBefore('submitbutton');
1302        }
1303    }
1304
1305    /**
1306     * Adds an initialisation call for a standard JavaScript enhancement.
1307     *
1308     * This function is designed to add an initialisation call for a JavaScript
1309     * enhancement that should exist within javascript-static M.form.init_{enhancementname}.
1310     *
1311     * Current options:
1312     *  - Selectboxes
1313     *      - smartselect:  Turns a nbsp indented select box into a custom drop down
1314     *                      control that supports multilevel and category selection.
1315     *                      $enhancement = 'smartselect';
1316     *                      $options = array('selectablecategories' => true|false)
1317     *
1318     * @param string|element $element form element for which Javascript needs to be initalized
1319     * @param string $enhancement which init function should be called
1320     * @param array $options options passed to javascript
1321     * @param array $strings strings for javascript
1322     * @deprecated since Moodle 3.3 MDL-57471
1323     */
1324    function init_javascript_enhancement($element, $enhancement, array $options=array(), array $strings=null) {
1325        debugging('$mform->init_javascript_enhancement() is deprecated and no longer does anything. '.
1326            'smartselect uses should be converted to the searchableselector form element.', DEBUG_DEVELOPER);
1327    }
1328
1329    /**
1330     * Returns a JS module definition for the mforms JS
1331     *
1332     * @return array
1333     */
1334    public static function get_js_module() {
1335        global $CFG;
1336        return array(
1337            'name' => 'mform',
1338            'fullpath' => '/lib/form/form.js',
1339            'requires' => array('base', 'node')
1340        );
1341    }
1342
1343    /**
1344     * Detects elements with missing setType() declerations.
1345     *
1346     * Finds elements in the form which should a PARAM_ type set and throws a
1347     * developer debug warning for any elements without it. This is to reduce the
1348     * risk of potential security issues by developers mistakenly forgetting to set
1349     * the type.
1350     *
1351     * @return void
1352     */
1353    private function detectMissingSetType() {
1354        global $CFG;
1355
1356        if (!$CFG->debugdeveloper) {
1357            // Only for devs.
1358            return;
1359        }
1360
1361        $mform = $this->_form;
1362        foreach ($mform->_elements as $element) {
1363            $group = false;
1364            $elements = array($element);
1365
1366            if ($element->getType() == 'group') {
1367                $group = $element;
1368                $elements = $element->getElements();
1369            }
1370
1371            foreach ($elements as $index => $element) {
1372                switch ($element->getType()) {
1373                    case 'hidden':
1374                    case 'text':
1375                    case 'url':
1376                        if ($group) {
1377                            $name = $group->getElementName($index);
1378                        } else {
1379                            $name = $element->getName();
1380                        }
1381                        $key = $name;
1382                        $found = array_key_exists($key, $mform->_types);
1383                        // For repeated elements we need to look for
1384                        // the "main" type, not for the one present
1385                        // on each repetition. All the stuff in formslib
1386                        // (repeat_elements(), updateSubmission()... seems
1387                        // to work that way.
1388                        while (!$found && strrpos($key, '[') !== false) {
1389                            $pos = strrpos($key, '[');
1390                            $key = substr($key, 0, $pos);
1391                            $found = array_key_exists($key, $mform->_types);
1392                        }
1393                        if (!$found) {
1394                            debugging("Did you remember to call setType() for '$name'? ".
1395                                'Defaulting to PARAM_RAW cleaning.', DEBUG_DEVELOPER);
1396                        }
1397                        break;
1398                }
1399            }
1400        }
1401    }
1402
1403    /**
1404     * Used by tests to simulate submitted form data submission from the user.
1405     *
1406     * For form fields where no data is submitted the default for that field as set by set_data or setDefault will be passed to
1407     * get_data.
1408     *
1409     * This method sets $_POST or $_GET and $_FILES with the data supplied. Our unit test code empties all these
1410     * global arrays after each test.
1411     *
1412     * @param array  $simulatedsubmitteddata       An associative array of form values (same format as $_POST).
1413     * @param array  $simulatedsubmittedfiles      An associative array of files uploaded (same format as $_FILES). Can be omitted.
1414     * @param string $method                       'post' or 'get', defaults to 'post'.
1415     * @param null   $formidentifier               the default is to use the class name for this class but you may need to provide
1416     *                                              a different value here for some forms that are used more than once on the
1417     *                                              same page.
1418     */
1419    public static function mock_submit($simulatedsubmitteddata, $simulatedsubmittedfiles = array(), $method = 'post',
1420                                       $formidentifier = null) {
1421        $_FILES = $simulatedsubmittedfiles;
1422        if ($formidentifier === null) {
1423            $formidentifier = get_called_class();
1424            $formidentifier = str_replace('\\', '_', $formidentifier); // See MDL-56233 for more information.
1425        }
1426        $simulatedsubmitteddata['_qf__'.$formidentifier] = 1;
1427        $simulatedsubmitteddata['sesskey'] = sesskey();
1428        if (strtolower($method) === 'get') {
1429            $_GET = $simulatedsubmitteddata;
1430        } else {
1431            $_POST = $simulatedsubmitteddata;
1432        }
1433    }
1434
1435    /**
1436     * Used by tests to generate valid submit keys for moodle forms that are
1437     * submitted with ajax data.
1438     *
1439     * @throws \moodle_exception If called outside unit test environment
1440     * @param array  $data Existing form data you wish to add the keys to.
1441     * @return array
1442     */
1443    public static function mock_generate_submit_keys($data = []) {
1444        if (!defined('PHPUNIT_TEST') || !PHPUNIT_TEST) {
1445            throw new \moodle_exception("This function can only be used for unit testing.");
1446        }
1447
1448        $formidentifier = get_called_class();
1449        $formidentifier = str_replace('\\', '_', $formidentifier); // See MDL-56233 for more information.
1450        $data['sesskey'] = sesskey();
1451        $data['_qf__' . $formidentifier] = 1;
1452
1453        return $data;
1454    }
1455
1456    /**
1457     * Set display mode for the form when labels take full width of the form and above the elements even on big screens
1458     *
1459     * Useful for forms displayed inside modals or in narrow containers
1460     */
1461    public function set_display_vertical() {
1462        $oldclass = $this->_form->getAttribute('class');
1463        $this->_form->updateAttributes(array('class' => $oldclass . ' full-width-labels'));
1464    }
1465
1466    /**
1467     * Set the initial 'dirty' state of the form.
1468     *
1469     * @param bool $state
1470     * @since Moodle 3.7.1
1471     */
1472    public function set_initial_dirty_state($state = false) {
1473        $this->_form->set_initial_dirty_state($state);
1474    }
1475}
1476
1477/**
1478 * MoodleQuickForm implementation
1479 *
1480 * You never extend this class directly. The class methods of this class are available from
1481 * the private $this->_form property on moodleform and its children. You generally only
1482 * call methods on this class from within abstract methods that you override on moodleform such
1483 * as definition and definition_after_data
1484 *
1485 * @package   core_form
1486 * @category  form
1487 * @copyright 2006 Jamie Pratt <me@jamiep.org>
1488 * @license   http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
1489 */
1490class MoodleQuickForm extends HTML_QuickForm_DHTMLRulesTableless {
1491    /** @var array type (PARAM_INT, PARAM_TEXT etc) of element value */
1492    var $_types = array();
1493
1494    /** @var array dependent state for the element/'s */
1495    var $_dependencies = array();
1496
1497    /**
1498     * @var array elements that will become hidden based on another element
1499     */
1500    protected $_hideifs = array();
1501
1502    /** @var array Array of buttons that if pressed do not result in the processing of the form. */
1503    var $_noSubmitButtons=array();
1504
1505    /** @var array Array of buttons that if pressed do not result in the processing of the form. */
1506    var $_cancelButtons=array();
1507
1508    /** @var array Array whose keys are element names. If the key exists this is a advanced element */
1509    var $_advancedElements = array();
1510
1511    /**
1512     * Array whose keys are element names and values are the desired collapsible state.
1513     * True for collapsed, False for expanded. If not present, set to default in
1514     * {@link self::accept()}.
1515     *
1516     * @var array
1517     */
1518    var $_collapsibleElements = array();
1519
1520    /**
1521     * Whether to enable shortforms for this form
1522     *
1523     * @var boolean
1524     */
1525    var $_disableShortforms = false;
1526
1527    /** @var bool whether to automatically initialise M.formchangechecker for this form. */
1528    protected $_use_form_change_checker = true;
1529
1530    /**
1531     * The initial state of the dirty state.
1532     *
1533     * @var bool
1534     */
1535    protected $_initial_form_dirty_state = false;
1536
1537    /**
1538     * The form name is derived from the class name of the wrapper minus the trailing form
1539     * It is a name with words joined by underscores whereas the id attribute is words joined by underscores.
1540     * @var string
1541     */
1542    var $_formName = '';
1543
1544    /**
1545     * String with the html for hidden params passed in as part of a moodle_url
1546     * object for the action. Output in the form.
1547     * @var string
1548     */
1549    var $_pageparams = '';
1550
1551    /** @var array names of new repeating elements that should not expect to find submitted data */
1552    protected $_newrepeats = array();
1553
1554    /** @var array $_ajaxformdata submitted form data when using mforms with ajax */
1555    protected $_ajaxformdata;
1556
1557    /**
1558     * Whether the form contains any client-side validation or not.
1559     * @var bool
1560     */
1561    protected $clientvalidation = false;
1562
1563    /**
1564     * Is this a 'disableIf' dependency ?
1565     */
1566    const DEP_DISABLE = 0;
1567
1568    /**
1569     * Is this a 'hideIf' dependency?
1570     */
1571    const DEP_HIDE = 1;
1572
1573    /**
1574     * Class constructor - same parameters as HTML_QuickForm_DHTMLRulesTableless
1575     *
1576     * @staticvar int $formcounter counts number of forms
1577     * @param string $formName Form's name.
1578     * @param string $method Form's method defaults to 'POST'
1579     * @param string|moodle_url $action Form's action
1580     * @param string $target (optional)Form's target defaults to none
1581     * @param mixed $attributes (optional)Extra attributes for <form> tag
1582     * @param array $ajaxformdata Forms submitted via ajax, must pass their data here, instead of relying on _GET and _POST.
1583     */
1584    public function __construct($formName, $method, $action, $target = '', $attributes = null, $ajaxformdata = null) {
1585        global $CFG, $OUTPUT;
1586
1587        static $formcounter = 1;
1588
1589        // TODO MDL-52313 Replace with the call to parent::__construct().
1590        HTML_Common::__construct($attributes);
1591        $target = empty($target) ? array() : array('target' => $target);
1592        $this->_formName = $formName;
1593        if (is_a($action, 'moodle_url')){
1594            $this->_pageparams = html_writer::input_hidden_params($action);
1595            $action = $action->out_omit_querystring();
1596        } else {
1597            $this->_pageparams = '';
1598        }
1599        // No 'name' atttribute for form in xhtml strict :
1600        $attributes = array('action' => $action, 'method' => $method, 'accept-charset' => 'utf-8') + $target;
1601        if (is_null($this->getAttribute('id'))) {
1602            // Append a random id, forms can be loaded in different requests using Fragments API.
1603            $attributes['id'] = 'mform' . $formcounter . '_' . random_string();
1604        }
1605        $formcounter++;
1606        $this->updateAttributes($attributes);
1607
1608        // This is custom stuff for Moodle :
1609        $this->_ajaxformdata = $ajaxformdata;
1610        $oldclass=   $this->getAttribute('class');
1611        if (!empty($oldclass)){
1612            $this->updateAttributes(array('class'=>$oldclass.' mform'));
1613        }else {
1614            $this->updateAttributes(array('class'=>'mform'));
1615        }
1616        $this->_reqHTML = '<span class="req">' . $OUTPUT->pix_icon('req', get_string('requiredelement', 'form')) . '</span>';
1617        $this->_advancedHTML = '<span class="adv">' . $OUTPUT->pix_icon('adv', get_string('advancedelement', 'form')) . '</span>';
1618        $this->setRequiredNote(get_string('somefieldsrequired', 'form', $OUTPUT->pix_icon('req', get_string('requiredelement', 'form'))));
1619    }
1620
1621    /**
1622     * Old syntax of class constructor. Deprecated in PHP7.
1623     *
1624     * @deprecated since Moodle 3.1
1625     */
1626    public function MoodleQuickForm($formName, $method, $action, $target='', $attributes=null) {
1627        debugging('Use of class name as constructor is deprecated', DEBUG_DEVELOPER);
1628        self::__construct($formName, $method, $action, $target, $attributes);
1629    }
1630
1631    /**
1632     * Use this method to indicate an element in a form is an advanced field. If items in a form
1633     * are marked as advanced then 'Hide/Show Advanced' buttons will automatically be displayed in the
1634     * form so the user can decide whether to display advanced form controls.
1635     *
1636     * If you set a header element to advanced then all elements it contains will also be set as advanced.
1637     *
1638     * @param string $elementName group or element name (not the element name of something inside a group).
1639     * @param bool $advanced default true sets the element to advanced. False removes advanced mark.
1640     */
1641    function setAdvanced($elementName, $advanced = true) {
1642        if ($advanced){
1643            $this->_advancedElements[$elementName]='';
1644        } elseif (isset($this->_advancedElements[$elementName])) {
1645            unset($this->_advancedElements[$elementName]);
1646        }
1647    }
1648
1649    /**
1650     * Checks if a parameter was passed in the previous form submission
1651     *
1652     * @param string $name the name of the page parameter we want
1653     * @param mixed  $default the default value to return if nothing is found
1654     * @param string $type expected type of parameter
1655     * @return mixed
1656     */
1657    public function optional_param($name, $default, $type) {
1658        if (isset($this->_ajaxformdata[$name])) {
1659            return clean_param($this->_ajaxformdata[$name], $type);
1660        } else {
1661            return optional_param($name, $default, $type);
1662        }
1663    }
1664
1665    /**
1666     * Use this method to indicate that the fieldset should be shown as expanded.
1667     * The method is applicable to header elements only.
1668     *
1669     * @param string $headername header element name
1670     * @param boolean $expanded default true sets the element to expanded. False makes the element collapsed.
1671     * @param boolean $ignoreuserstate override the state regardless of the state it was on when
1672     *                                 the form was submitted.
1673     * @return void
1674     */
1675    function setExpanded($headername, $expanded = true, $ignoreuserstate = false) {
1676        if (empty($headername)) {
1677            return;
1678        }
1679        $element = $this->getElement($headername);
1680        if ($element->getType() != 'header') {
1681            debugging('Cannot use setExpanded on non-header elements', DEBUG_DEVELOPER);
1682            return;
1683        }
1684        if (!$headerid = $element->getAttribute('id')) {
1685            $element->_generateId();
1686            $headerid = $element->getAttribute('id');
1687        }
1688        if ($this->getElementType('mform_isexpanded_' . $headerid) === false) {
1689            // See if the form has been submitted already.
1690            $formexpanded = $this->optional_param('mform_isexpanded_' . $headerid, -1, PARAM_INT);
1691            if (!$ignoreuserstate && $formexpanded != -1) {
1692                // Override expanded state with the form variable.
1693                $expanded = $formexpanded;
1694            }
1695            // Create the form element for storing expanded state.
1696            $this->addElement('hidden', 'mform_isexpanded_' . $headerid);
1697            $this->setType('mform_isexpanded_' . $headerid, PARAM_INT);
1698            $this->setConstant('mform_isexpanded_' . $headerid, (int) $expanded);
1699        }
1700        $this->_collapsibleElements[$headername] = !$expanded;
1701    }
1702
1703    /**
1704     * Use this method to add show more/less status element required for passing
1705     * over the advanced elements visibility status on the form submission.
1706     *
1707     * @param string $headerName header element name.
1708     * @param boolean $showmore default false sets the advanced elements to be hidden.
1709     */
1710    function addAdvancedStatusElement($headerid, $showmore=false){
1711        // Add extra hidden element to store advanced items state for each section.
1712        if ($this->getElementType('mform_showmore_' . $headerid) === false) {
1713            // See if we the form has been submitted already.
1714            $formshowmore = $this->optional_param('mform_showmore_' . $headerid, -1, PARAM_INT);
1715            if (!$showmore && $formshowmore != -1) {
1716                // Override showmore state with the form variable.
1717                $showmore = $formshowmore;
1718            }
1719            // Create the form element for storing advanced items state.
1720            $this->addElement('hidden', 'mform_showmore_' . $headerid);
1721            $this->setType('mform_showmore_' . $headerid, PARAM_INT);
1722            $this->setConstant('mform_showmore_' . $headerid, (int)$showmore);
1723        }
1724    }
1725
1726    /**
1727     * This function has been deprecated. Show advanced has been replaced by
1728     * "Show more.../Show less..." in the shortforms javascript module.
1729     *
1730     * @deprecated since Moodle 2.5
1731     * @param bool $showadvancedNow if true will show advanced elements.
1732      */
1733    function setShowAdvanced($showadvancedNow = null){
1734        debugging('Call to deprecated function setShowAdvanced. See "Show more.../Show less..." in shortforms yui module.');
1735    }
1736
1737    /**
1738     * This function has been deprecated. Show advanced has been replaced by
1739     * "Show more.../Show less..." in the shortforms javascript module.
1740     *
1741     * @deprecated since Moodle 2.5
1742     * @return bool (Always false)
1743      */
1744    function getShowAdvanced(){
1745        debugging('Call to deprecated function setShowAdvanced. See "Show more.../Show less..." in shortforms yui module.');
1746        return false;
1747    }
1748
1749    /**
1750     * Use this method to indicate that the form will not be using shortforms.
1751     *
1752     * @param boolean $disable default true, controls if the shortforms are disabled.
1753     */
1754    function setDisableShortforms ($disable = true) {
1755        $this->_disableShortforms = $disable;
1756    }
1757
1758    /**
1759     * Set the initial 'dirty' state of the form.
1760     *
1761     * @param bool $state
1762     * @since Moodle 3.7.1
1763     */
1764    public function set_initial_dirty_state($state = false) {
1765        $this->_initial_form_dirty_state = $state;
1766    }
1767
1768    /**
1769     * Is the form currently set to dirty?
1770     *
1771     * @return boolean Initial dirty state.
1772     * @since Moodle 3.7.1
1773     */
1774    public function is_dirty() {
1775        return $this->_initial_form_dirty_state;
1776    }
1777
1778    /**
1779     * Call this method if you don't want the formchangechecker JavaScript to be
1780     * automatically initialised for this form.
1781     */
1782    public function disable_form_change_checker() {
1783        $this->_use_form_change_checker = false;
1784    }
1785
1786    /**
1787     * If you have called {@link disable_form_change_checker()} then you can use
1788     * this method to re-enable it. It is enabled by default, so normally you don't
1789     * need to call this.
1790     */
1791    public function enable_form_change_checker() {
1792        $this->_use_form_change_checker = true;
1793    }
1794
1795    /**
1796     * @return bool whether this form should automatically initialise
1797     *      formchangechecker for itself.
1798     */
1799    public function is_form_change_checker_enabled() {
1800        return $this->_use_form_change_checker;
1801    }
1802
1803    /**
1804    * Accepts a renderer
1805    *
1806    * @param HTML_QuickForm_Renderer $renderer An HTML_QuickForm_Renderer object
1807    */
1808    function accept(&$renderer) {
1809        if (method_exists($renderer, 'setAdvancedElements')){
1810            //Check for visible fieldsets where all elements are advanced
1811            //and mark these headers as advanced as well.
1812            //Also mark all elements in a advanced header as advanced.
1813            $stopFields = $renderer->getStopFieldSetElements();
1814            $lastHeader = null;
1815            $lastHeaderAdvanced = false;
1816            $anyAdvanced = false;
1817            $anyError = false;
1818            foreach (array_keys($this->_elements) as $elementIndex){
1819                $element =& $this->_elements[$elementIndex];
1820
1821                // if closing header and any contained element was advanced then mark it as advanced
1822                if ($element->getType()=='header' || in_array($element->getName(), $stopFields)){
1823                    if ($anyAdvanced && !is_null($lastHeader)) {
1824                        $lastHeader->_generateId();
1825                        $this->setAdvanced($lastHeader->getName());
1826                        $this->addAdvancedStatusElement($lastHeader->getAttribute('id'), $anyError);
1827                    }
1828                    $lastHeaderAdvanced = false;
1829                    unset($lastHeader);
1830                    $lastHeader = null;
1831                } elseif ($lastHeaderAdvanced) {
1832                    $this->setAdvanced($element->getName());
1833                }
1834
1835                if ($element->getType()=='header'){
1836                    $lastHeader =& $element;
1837                    $anyAdvanced = false;
1838                    $anyError = false;
1839                    $lastHeaderAdvanced = isset($this->_advancedElements[$element->getName()]);
1840                } elseif (isset($this->_advancedElements[$element->getName()])){
1841                    $anyAdvanced = true;
1842                    if (isset($this->_errors[$element->getName()])) {
1843                        $anyError = true;
1844                    }
1845                }
1846            }
1847            // the last header may not be closed yet...
1848            if ($anyAdvanced && !is_null($lastHeader)){
1849                $this->setAdvanced($lastHeader->getName());
1850                $lastHeader->_generateId();
1851                $this->addAdvancedStatusElement($lastHeader->getAttribute('id'), $anyError);
1852            }
1853            $renderer->setAdvancedElements($this->_advancedElements);
1854        }
1855        if (method_exists($renderer, 'setCollapsibleElements') && !$this->_disableShortforms) {
1856
1857            // Count the number of sections.
1858            $headerscount = 0;
1859            foreach (array_keys($this->_elements) as $elementIndex){
1860                $element =& $this->_elements[$elementIndex];
1861                if ($element->getType() == 'header') {
1862                    $headerscount++;
1863                }
1864            }
1865
1866            $anyrequiredorerror = false;
1867            $headercounter = 0;
1868            $headername = null;
1869            foreach (array_keys($this->_elements) as $elementIndex){
1870                $element =& $this->_elements[$elementIndex];
1871
1872                if ($element->getType() == 'header') {
1873                    $headercounter++;
1874                    $element->_generateId();
1875                    $headername = $element->getName();
1876                    $anyrequiredorerror = false;
1877                } else if (in_array($element->getName(), $this->_required) || isset($this->_errors[$element->getName()])) {
1878                    $anyrequiredorerror = true;
1879                } else {
1880                    // Do not reset $anyrequiredorerror to false because we do not want any other element
1881                    // in this header (fieldset) to possibly revert the state given.
1882                }
1883
1884                if ($element->getType() == 'header') {
1885                    if ($headercounter === 1 && !isset($this->_collapsibleElements[$headername])) {
1886                        // By default the first section is always expanded, except if a state has already been set.
1887                        $this->setExpanded($headername, true);
1888                    } else if (($headercounter === 2 && $headerscount === 2) && !isset($this->_collapsibleElements[$headername])) {
1889                        // The second section is always expanded if the form only contains 2 sections),
1890                        // except if a state has already been set.
1891                        $this->setExpanded($headername, true);
1892                    }
1893                } else if ($anyrequiredorerror) {
1894                    // If any error or required field are present within the header, we need to expand it.
1895                    $this->setExpanded($headername, true, true);
1896                } else if (!isset($this->_collapsibleElements[$headername])) {
1897                    // Define element as collapsed by default.
1898                    $this->setExpanded($headername, false);
1899                }
1900            }
1901
1902            // Pass the array to renderer object.
1903            $renderer->setCollapsibleElements($this->_collapsibleElements);
1904        }
1905        parent::accept($renderer);
1906    }
1907
1908    /**
1909     * Adds one or more element names that indicate the end of a fieldset
1910     *
1911     * @param string $elementName name of the element
1912     */
1913    function closeHeaderBefore($elementName){
1914        $renderer =& $this->defaultRenderer();
1915        $renderer->addStopFieldsetElements($elementName);
1916    }
1917
1918    /**
1919     * Set an element to be forced to flow LTR.
1920     *
1921     * The element must exist and support this functionality. Also note that
1922     * when setting the type of a field (@link self::setType} we try to guess the
1923     * whether the field should be force to LTR or not. Make sure you're always
1924     * calling this method last.
1925     *
1926     * @param string $elementname The element name.
1927     * @param bool $value When false, disables force LTR, else enables it.
1928     */
1929    public function setForceLtr($elementname, $value = true) {
1930        $this->getElement($elementname)->set_force_ltr($value);
1931    }
1932
1933    /**
1934     * Should be used for all elements of a form except for select, radio and checkboxes which
1935     * clean their own data.
1936     *
1937     * @param string $elementname
1938     * @param int $paramtype defines type of data contained in element. Use the constants PARAM_*.
1939     *        {@link lib/moodlelib.php} for defined parameter types
1940     */
1941    function setType($elementname, $paramtype) {
1942        $this->_types[$elementname] = $paramtype;
1943
1944        // This will not always get it right, but it should be accurate in most cases.
1945        // When inaccurate use setForceLtr().
1946        if (!is_rtl_compatible($paramtype)
1947                && $this->elementExists($elementname)
1948                && ($element =& $this->getElement($elementname))
1949                && method_exists($element, 'set_force_ltr')) {
1950
1951            $element->set_force_ltr(true);
1952        }
1953    }
1954
1955    /**
1956     * This can be used to set several types at once.
1957     *
1958     * @param array $paramtypes types of parameters.
1959     * @see MoodleQuickForm::setType
1960     */
1961    function setTypes($paramtypes) {
1962        foreach ($paramtypes as $elementname => $paramtype) {
1963            $this->setType($elementname, $paramtype);
1964        }
1965    }
1966
1967    /**
1968     * Return the type(s) to use to clean an element.
1969     *
1970     * In the case where the element has an array as a value, we will try to obtain a
1971     * type defined for that specific key, and recursively until done.
1972     *
1973     * This method does not work reverse, you cannot pass a nested element and hoping to
1974     * fallback on the clean type of a parent. This method intends to be used with the
1975     * main element, which will generate child types if needed, not the other way around.
1976     *
1977     * Example scenario:
1978     *
1979     * You have defined a new repeated element containing a text field called 'foo'.
1980     * By default there will always be 2 occurence of 'foo' in the form. Even though
1981     * you've set the type on 'foo' to be PARAM_INT, for some obscure reason, you want
1982     * the first value of 'foo', to be PARAM_FLOAT, which you set using setType:
1983     * $mform->setType('foo[0]', PARAM_FLOAT).
1984     *
1985     * Now if you call this method passing 'foo', along with the submitted values of 'foo':
1986     * array(0 => '1.23', 1 => '10'), you will get an array telling you that the key 0 is a
1987     * FLOAT and 1 is an INT. If you had passed 'foo[1]', along with its value '10', you would
1988     * get the default clean type returned (param $default).
1989     *
1990     * @param string $elementname name of the element.
1991     * @param mixed $value value that should be cleaned.
1992     * @param int $default default constant value to be returned (PARAM_...)
1993     * @return string|array constant value or array of constant values (PARAM_...)
1994     */
1995    public function getCleanType($elementname, $value, $default = PARAM_RAW) {
1996        $type = $default;
1997        if (array_key_exists($elementname, $this->_types)) {
1998            $type = $this->_types[$elementname];
1999        }
2000        if (is_array($value)) {
2001            $default = $type;
2002            $type = array();
2003            foreach ($value as $subkey => $subvalue) {
2004                $typekey = "$elementname" . "[$subkey]";
2005                if (array_key_exists($typekey, $this->_types)) {
2006                    $subtype = $this->_types[$typekey];
2007                } else {
2008                    $subtype = $default;
2009                }
2010                if (is_array($subvalue)) {
2011                    $type[$subkey] = $this->getCleanType($typekey, $subvalue, $subtype);
2012                } else {
2013                    $type[$subkey] = $subtype;
2014                }
2015            }
2016        }
2017        return $type;
2018    }
2019
2020    /**
2021     * Return the cleaned value using the passed type(s).
2022     *
2023     * @param mixed $value value that has to be cleaned.
2024     * @param int|array $type constant value to use to clean (PARAM_...), typically returned by {@link self::getCleanType()}.
2025     * @return mixed cleaned up value.
2026     */
2027    public function getCleanedValue($value, $type) {
2028        if (is_array($type) && is_array($value)) {
2029            foreach ($type as $key => $param) {
2030                $value[$key] = $this->getCleanedValue($value[$key], $param);
2031            }
2032        } else if (!is_array($type) && !is_array($value)) {
2033            $value = clean_param($value, $type);
2034        } else if (!is_array($type) && is_array($value)) {
2035            $value = clean_param_array($value, $type, true);
2036        } else {
2037            throw new coding_exception('Unexpected type or value received in MoodleQuickForm::getCleanedValue()');
2038        }
2039        return $value;
2040    }
2041
2042    /**
2043     * Updates submitted values
2044     *
2045     * @param array $submission submitted values
2046     * @param array $files list of files
2047     */
2048    function updateSubmission($submission, $files) {
2049        $this->_flagSubmitted = false;
2050
2051        if (empty($submission)) {
2052            $this->_submitValues = array();
2053        } else {
2054            foreach ($submission as $key => $s) {
2055                $type = $this->getCleanType($key, $s);
2056                $submission[$key] = $this->getCleanedValue($s, $type);
2057            }
2058            $this->_submitValues = $submission;
2059            $this->_flagSubmitted = true;
2060        }
2061
2062        if (empty($files)) {
2063            $this->_submitFiles = array();
2064        } else {
2065            $this->_submitFiles = $files;
2066            $this->_flagSubmitted = true;
2067        }
2068
2069        // need to tell all elements that they need to update their value attribute.
2070         foreach (array_keys($this->_elements) as $key) {
2071             $this->_elements[$key]->onQuickFormEvent('updateValue', null, $this);
2072         }
2073    }
2074
2075    /**
2076     * Returns HTML for required elements
2077     *
2078     * @return string
2079     */
2080    function getReqHTML(){
2081        return $this->_reqHTML;
2082    }
2083
2084    /**
2085     * Returns HTML for advanced elements
2086     *
2087     * @return string
2088     */
2089    function getAdvancedHTML(){
2090        return $this->_advancedHTML;
2091    }
2092
2093    /**
2094     * Initializes a default form value. Used to specify the default for a new entry where
2095     * no data is loaded in using moodleform::set_data()
2096     *
2097     * note: $slashed param removed
2098     *
2099     * @param string $elementName element name
2100     * @param mixed $defaultValue values for that element name
2101     */
2102    function setDefault($elementName, $defaultValue){
2103        $this->setDefaults(array($elementName=>$defaultValue));
2104    }
2105
2106    /**
2107     * Add a help button to element, only one button per element is allowed.
2108     *
2109     * This is new, simplified and preferable method of setting a help icon on form elements.
2110     * It uses the new $OUTPUT->help_icon().
2111     *
2112     * Typically, you will provide the same identifier and the component as you have used for the
2113     * label of the element. The string identifier with the _help suffix added is then used
2114     * as the help string.
2115     *
2116     * There has to be two strings defined:
2117     *   1/ get_string($identifier, $component) - the title of the help page
2118     *   2/ get_string($identifier.'_help', $component) - the actual help page text
2119     *
2120     * @since Moodle 2.0
2121     * @param string $elementname name of the element to add the item to
2122     * @param string $identifier help string identifier without _help suffix
2123     * @param string $component component name to look the help string in
2124     * @param string $linktext optional text to display next to the icon
2125     * @param bool $suppresscheck set to true if the element may not exist
2126     */
2127    function addHelpButton($elementname, $identifier, $component = 'moodle', $linktext = '', $suppresscheck = false) {
2128        global $OUTPUT;
2129        if (array_key_exists($elementname, $this->_elementIndex)) {
2130            $element = $this->_elements[$this->_elementIndex[$elementname]];
2131            $element->_helpbutton = $OUTPUT->help_icon($identifier, $component, $linktext);
2132        } else if (!$suppresscheck) {
2133            debugging(get_string('nonexistentformelements', 'form', $elementname));
2134        }
2135    }
2136
2137    /**
2138     * Set constant value not overridden by _POST or _GET
2139     * note: this does not work for complex names with [] :-(
2140     *
2141     * @param string $elname name of element
2142     * @param mixed $value
2143     */
2144    function setConstant($elname, $value) {
2145        $this->_constantValues = HTML_QuickForm::arrayMerge($this->_constantValues, array($elname=>$value));
2146        $element =& $this->getElement($elname);
2147        $element->onQuickFormEvent('updateValue', null, $this);
2148    }
2149
2150    /**
2151     * export submitted values
2152     *
2153     * @param string $elementList list of elements in form
2154     * @return array
2155     */
2156    function exportValues($elementList = null){
2157        $unfiltered = array();
2158        if (null === $elementList) {
2159            // iterate over all elements, calling their exportValue() methods
2160            foreach (array_keys($this->_elements) as $key) {
2161                if ($this->_elements[$key]->isFrozen() && !$this->_elements[$key]->_persistantFreeze) {
2162                    $varname = $this->_elements[$key]->_attributes['name'];
2163                    $value = '';
2164                    // If we have a default value then export it.
2165                    if (isset($this->_defaultValues[$varname])) {
2166                        $value = $this->prepare_fixed_value($varname, $this->_defaultValues[$varname]);
2167                    }
2168                } else {
2169                    $value = $this->_elements[$key]->exportValue($this->_submitValues, true);
2170                }
2171
2172                if (is_array($value)) {
2173                    // This shit throws a bogus warning in PHP 4.3.x
2174                    $unfiltered = HTML_QuickForm::arrayMerge($unfiltered, $value);
2175                }
2176            }
2177        } else {
2178            if (!is_array($elementList)) {
2179                $elementList = array_map('trim', explode(',', $elementList));
2180            }
2181            foreach ($elementList as $elementName) {
2182                $value = $this->exportValue($elementName);
2183                if (@PEAR::isError($value)) {
2184                    return $value;
2185                }
2186                //oh, stock QuickFOrm was returning array of arrays!
2187                $unfiltered = HTML_QuickForm::arrayMerge($unfiltered, $value);
2188            }
2189        }
2190
2191        if (is_array($this->_constantValues)) {
2192            $unfiltered = HTML_QuickForm::arrayMerge($unfiltered, $this->_constantValues);
2193        }
2194        return $unfiltered;
2195    }
2196
2197    /**
2198     * This is a bit of a hack, and it duplicates the code in
2199     * HTML_QuickForm_element::_prepareValue, but I could not think of a way or
2200     * reliably calling that code. (Think about date selectors, for example.)
2201     * @param string $name the element name.
2202     * @param mixed $value the fixed value to set.
2203     * @return mixed the appropriate array to add to the $unfiltered array.
2204     */
2205    protected function prepare_fixed_value($name, $value) {
2206        if (null === $value) {
2207            return null;
2208        } else {
2209            if (!strpos($name, '[')) {
2210                return array($name => $value);
2211            } else {
2212                $valueAry = array();
2213                $myIndex  = "['" . str_replace(array(']', '['), array('', "']['"), $name) . "']";
2214                eval("\$valueAry$myIndex = \$value;");
2215                return $valueAry;
2216            }
2217        }
2218    }
2219
2220    /**
2221     * Adds a validation rule for the given field
2222     *
2223     * If the element is in fact a group, it will be considered as a whole.
2224     * To validate grouped elements as separated entities,
2225     * use addGroupRule instead of addRule.
2226     *
2227     * @param string $element Form element name
2228     * @param string $message Message to display for invalid data
2229     * @param string $type Rule type, use getRegisteredRules() to get types
2230     * @param string $format (optional)Required for extra rule data
2231     * @param string $validation (optional)Where to perform validation: "server", "client"
2232     * @param bool $reset Client-side validation: reset the form element to its original value if there is an error?
2233     * @param bool $force Force the rule to be applied, even if the target form element does not exist
2234     */
2235    function addRule($element, $message, $type, $format=null, $validation='server', $reset = false, $force = false)
2236    {
2237        parent::addRule($element, $message, $type, $format, $validation, $reset, $force);
2238        if ($validation == 'client') {
2239            $this->clientvalidation = true;
2240        }
2241
2242    }
2243
2244    /**
2245     * Adds a validation rule for the given group of elements
2246     *
2247     * Only groups with a name can be assigned a validation rule
2248     * Use addGroupRule when you need to validate elements inside the group.
2249     * Use addRule if you need to validate the group as a whole. In this case,
2250     * the same rule will be applied to all elements in the group.
2251     * Use addRule if you need to validate the group against a function.
2252     *
2253     * @param string $group Form group name
2254     * @param array|string $arg1 Array for multiple elements or error message string for one element
2255     * @param string $type (optional)Rule type use getRegisteredRules() to get types
2256     * @param string $format (optional)Required for extra rule data
2257     * @param int $howmany (optional)How many valid elements should be in the group
2258     * @param string $validation (optional)Where to perform validation: "server", "client"
2259     * @param bool $reset Client-side: whether to reset the element's value to its original state if validation failed.
2260     */
2261    function addGroupRule($group, $arg1, $type='', $format=null, $howmany=0, $validation = 'server', $reset = false)
2262    {
2263        parent::addGroupRule($group, $arg1, $type, $format, $howmany, $validation, $reset);
2264        if (is_array($arg1)) {
2265             foreach ($arg1 as $rules) {
2266                foreach ($rules as $rule) {
2267                    $validation = (isset($rule[3]) && 'client' == $rule[3])? 'client': 'server';
2268                    if ($validation == 'client') {
2269                        $this->clientvalidation = true;
2270                    }
2271                }
2272            }
2273        } elseif (is_string($arg1)) {
2274            if ($validation == 'client') {
2275                $this->clientvalidation = true;
2276            }
2277        }
2278    }
2279
2280    /**
2281     * Returns the client side validation script
2282     *
2283     * The code here was copied from HTML_QuickForm_DHTMLRulesTableless who copied it from  HTML_QuickForm
2284     * and slightly modified to run rules per-element
2285     * Needed to override this because of an error with client side validation of grouped elements.
2286     *
2287     * @return string Javascript to perform validation, empty string if no 'client' rules were added
2288     */
2289    function getValidationScript()
2290    {
2291        global $PAGE;
2292
2293        if (empty($this->_rules) || $this->clientvalidation === false) {
2294            return '';
2295        }
2296
2297        include_once('HTML/QuickForm/RuleRegistry.php');
2298        $registry =& HTML_QuickForm_RuleRegistry::singleton();
2299        $test = array();
2300        $js_escape = array(
2301            "\r"    => '\r',
2302            "\n"    => '\n',
2303            "\t"    => '\t',
2304            "'"     => "\\'",
2305            '"'     => '\"',
2306            '\\'    => '\\\\'
2307        );
2308
2309        foreach ($this->_rules as $elementName => $rules) {
2310            foreach ($rules as $rule) {
2311                if ('client' == $rule['validation']) {
2312                    unset($element); //TODO: find out how to properly initialize it
2313
2314                    $dependent  = isset($rule['dependent']) && is_array($rule['dependent']);
2315                    $rule['message'] = strtr($rule['message'], $js_escape);
2316
2317                    if (isset($rule['group'])) {
2318                        $group    =& $this->getElement($rule['group']);
2319                        // No JavaScript validation for frozen elements
2320                        if ($group->isFrozen()) {
2321                            continue 2;
2322                        }
2323                        $elements =& $group->getElements();
2324                        foreach (array_keys($elements) as $key) {
2325                            if ($elementName == $group->getElementName($key)) {
2326                                $element =& $elements[$key];
2327                                break;
2328                            }
2329                        }
2330                    } elseif ($dependent) {
2331                        $element   =  array();
2332                        $element[] =& $this->getElement($elementName);
2333                        foreach ($rule['dependent'] as $elName) {
2334                            $element[] =& $this->getElement($elName);
2335                        }
2336                    } else {
2337                        $element =& $this->getElement($elementName);
2338                    }
2339                    // No JavaScript validation for frozen elements
2340                    if (is_object($element) && $element->isFrozen()) {
2341                        continue 2;
2342                    } elseif (is_array($element)) {
2343                        foreach (array_keys($element) as $key) {
2344                            if ($element[$key]->isFrozen()) {
2345                                continue 3;
2346                            }
2347                        }
2348                    }
2349                    //for editor element, [text] is appended to the name.
2350                    $fullelementname = $elementName;
2351                    if (is_object($element) && $element->getType() == 'editor') {
2352                        if ($element->getType() == 'editor') {
2353                            $fullelementname .= '[text]';
2354                            // Add format to rule as moodleform check which format is supported by browser
2355                            // it is not set anywhere... So small hack to make sure we pass it down to quickform.
2356                            if (is_null($rule['format'])) {
2357                                $rule['format'] = $element->getFormat();
2358                            }
2359                        }
2360                    }
2361                    // Fix for bug displaying errors for elements in a group
2362                    $test[$fullelementname][0][] = $registry->getValidationScript($element, $fullelementname, $rule);
2363                    $test[$fullelementname][1]=$element;
2364                    //end of fix
2365                }
2366            }
2367        }
2368
2369        // Fix for MDL-9524. If you don't do this, then $element may be left as a reference to one of the fields in
2370        // the form, and then that form field gets corrupted by the code that follows.
2371        unset($element);
2372
2373        $js = '
2374
2375require(["core/event", "jquery"], function(Event, $) {
2376
2377    function qf_errorHandler(element, _qfMsg, escapedName) {
2378        var event = $.Event(Event.Events.FORM_FIELD_VALIDATION);
2379        $(element).trigger(event, _qfMsg);
2380        if (event.isDefaultPrevented()) {
2381            return _qfMsg == \'\';
2382        } else {
2383            // Legacy mforms.
2384            var div = element.parentNode;
2385
2386            if ((div == undefined) || (element.name == undefined)) {
2387                // No checking can be done for undefined elements so let server handle it.
2388                return true;
2389            }
2390
2391            if (_qfMsg != \'\') {
2392                var errorSpan = document.getElementById(\'id_error_\' + escapedName);
2393                if (!errorSpan) {
2394                    errorSpan = document.createElement("span");
2395                    errorSpan.id = \'id_error_\' + escapedName;
2396                    errorSpan.className = "error";
2397                    element.parentNode.insertBefore(errorSpan, element.parentNode.firstChild);
2398                    document.getElementById(errorSpan.id).setAttribute(\'TabIndex\', \'0\');
2399                    document.getElementById(errorSpan.id).focus();
2400                }
2401
2402                while (errorSpan.firstChild) {
2403                    errorSpan.removeChild(errorSpan.firstChild);
2404                }
2405
2406                errorSpan.appendChild(document.createTextNode(_qfMsg.substring(3)));
2407
2408                if (div.className.substr(div.className.length - 6, 6) != " error"
2409                        && div.className != "error") {
2410                    div.className += " error";
2411                    linebreak = document.createElement("br");
2412                    linebreak.className = "error";
2413                    linebreak.id = \'id_error_break_\' + escapedName;
2414                    errorSpan.parentNode.insertBefore(linebreak, errorSpan.nextSibling);
2415                }
2416
2417                return false;
2418            } else {
2419                var errorSpan = document.getElementById(\'id_error_\' + escapedName);
2420                if (errorSpan) {
2421                    errorSpan.parentNode.removeChild(errorSpan);
2422                }
2423                var linebreak = document.getElementById(\'id_error_break_\' + escapedName);
2424                if (linebreak) {
2425                    linebreak.parentNode.removeChild(linebreak);
2426                }
2427
2428                if (div.className.substr(div.className.length - 6, 6) == " error") {
2429                    div.className = div.className.substr(0, div.className.length - 6);
2430                } else if (div.className == "error") {
2431                    div.className = "";
2432                }
2433
2434                return true;
2435            } // End if.
2436        } // End if.
2437    } // End function.
2438    ';
2439        $validateJS = '';
2440        foreach ($test as $elementName => $jsandelement) {
2441            // Fix for bug displaying errors for elements in a group
2442            //unset($element);
2443            list($jsArr,$element)=$jsandelement;
2444            //end of fix
2445            $escapedElementName = preg_replace_callback(
2446                '/[_\[\]-]/',
2447                function($matches) {
2448                    return sprintf("_%2x", ord($matches[0]));
2449                },
2450                $elementName);
2451            $valFunc = 'validate_' . $this->_formName . '_' . $escapedElementName . '(ev.target, \''.$escapedElementName.'\')';
2452
2453            if (!is_array($element)) {
2454                $element = [$element];
2455            }
2456            foreach ($element as $elem) {
2457                if (key_exists('id', $elem->_attributes)) {
2458                    $js .= '
2459    function validate_' . $this->_formName . '_' . $escapedElementName . '(element, escapedName) {
2460      if (undefined == element) {
2461         //required element was not found, then let form be submitted without client side validation
2462         return true;
2463      }
2464      var value = \'\';
2465      var errFlag = new Array();
2466      var _qfGroups = {};
2467      var _qfMsg = \'\';
2468      var frm = element.parentNode;
2469      if ((undefined != element.name) && (frm != undefined)) {
2470          while (frm && frm.nodeName.toUpperCase() != "FORM") {
2471            frm = frm.parentNode;
2472          }
2473        ' . join("\n", $jsArr) . '
2474          return qf_errorHandler(element, _qfMsg, escapedName);
2475      } else {
2476        //element name should be defined else error msg will not be displayed.
2477        return true;
2478      }
2479    }
2480
2481    document.getElementById(\'' . $elem->_attributes['id'] . '\').addEventListener(\'blur\', function(ev) {
2482        ' . $valFunc . '
2483    });
2484    document.getElementById(\'' . $elem->_attributes['id'] . '\').addEventListener(\'change\', function(ev) {
2485        ' . $valFunc . '
2486    });
2487';
2488                }
2489            }
2490            // This handles both randomised (MDL-65217) and non-randomised IDs.
2491            $errorid = preg_replace('/^id_/', 'id_error_', $elem->_attributes['id']);
2492            $validateJS .= '
2493      ret = validate_' . $this->_formName . '_' . $escapedElementName.'(frm.elements[\''.$elementName.'\'], \''.$escapedElementName.'\') && ret;
2494      if (!ret && !first_focus) {
2495        first_focus = true;
2496        Y.use(\'moodle-core-event\', function() {
2497            Y.Global.fire(M.core.globalEvents.FORM_ERROR, {formid: \'' . $this->_attributes['id'] . '\',
2498                                                           elementid: \'' . $errorid. '\'});
2499            document.getElementById(\'' . $errorid . '\').focus();
2500        });
2501      }
2502';
2503
2504            // Fix for bug displaying errors for elements in a group
2505            //unset($element);
2506            //$element =& $this->getElement($elementName);
2507            //end of fix
2508            //$onBlur = $element->getAttribute('onBlur');
2509            //$onChange = $element->getAttribute('onChange');
2510            //$element->updateAttributes(array('onBlur' => $onBlur . $valFunc,
2511                                             //'onChange' => $onChange . $valFunc));
2512        }
2513//  do not rely on frm function parameter, because htmlarea breaks it when overloading the onsubmit method
2514        $js .= '
2515
2516    function validate_' . $this->_formName . '() {
2517      if (skipClientValidation) {
2518         return true;
2519      }
2520      var ret = true;
2521
2522      var frm = document.getElementById(\''. $this->_attributes['id'] .'\')
2523      var first_focus = false;
2524    ' . $validateJS . ';
2525      return ret;
2526    }
2527
2528    var form = $(document.getElementById(\'' . $this->_attributes['id'] . '\')).closest(\'form\');
2529    form.on(M.core.event.FORM_SUBMIT_AJAX, function() {
2530        try {
2531            var myValidator = validate_' . $this->_formName . ';
2532        } catch(e) {
2533            return true;
2534        }
2535        if (myValidator) {
2536            myValidator();
2537        }
2538    });
2539
2540    document.getElementById(\'' . $this->_attributes['id'] . '\').addEventListener(\'submit\', function(ev) {
2541        try {
2542            var myValidator = validate_' . $this->_formName . ';
2543        } catch(e) {
2544            return true;
2545        }
2546        if (typeof window.tinyMCE !== \'undefined\') {
2547            window.tinyMCE.triggerSave();
2548        }
2549        if (!myValidator()) {
2550            ev.preventDefault();
2551        }
2552    });
2553
2554});
2555';
2556
2557        $PAGE->requires->js_amd_inline($js);
2558
2559        // Global variable used to skip the client validation.
2560        return html_writer::tag('script', 'var skipClientValidation = false;');
2561    } // end func getValidationScript
2562
2563    /**
2564     * Sets default error message
2565     */
2566    function _setDefaultRuleMessages(){
2567        foreach ($this->_rules as $field => $rulesarr){
2568            foreach ($rulesarr as $key => $rule){
2569                if ($rule['message']===null){
2570                    $a=new stdClass();
2571                    $a->format=$rule['format'];
2572                    $str=get_string('err_'.$rule['type'], 'form', $a);
2573                    if (strpos($str, '[[')!==0){
2574                        $this->_rules[$field][$key]['message']=$str;
2575                    }
2576                }
2577            }
2578        }
2579    }
2580
2581    /**
2582     * Get list of attributes which have dependencies
2583     *
2584     * @return array
2585     */
2586    function getLockOptionObject(){
2587        $result = array();
2588        foreach ($this->_dependencies as $dependentOn => $conditions){
2589            $result[$dependentOn] = array();
2590            foreach ($conditions as $condition=>$values) {
2591                $result[$dependentOn][$condition] = array();
2592                foreach ($values as $value=>$dependents) {
2593                    $result[$dependentOn][$condition][$value][self::DEP_DISABLE] = array();
2594                    foreach ($dependents as $dependent) {
2595                        $elements = $this->_getElNamesRecursive($dependent);
2596                        if (empty($elements)) {
2597                            // probably element inside of some group
2598                            $elements = array($dependent);
2599                        }
2600                        foreach($elements as $element) {
2601                            if ($element == $dependentOn) {
2602                                continue;
2603                            }
2604                            $result[$dependentOn][$condition][$value][self::DEP_DISABLE][] = $element;
2605                        }
2606                    }
2607                }
2608            }
2609        }
2610        foreach ($this->_hideifs as $dependenton => $conditions) {
2611            if (!isset($result[$dependenton])) {
2612                $result[$dependenton] = array();
2613            }
2614            foreach ($conditions as $condition => $values) {
2615                if (!isset($result[$dependenton][$condition])) {
2616                    $result[$dependenton][$condition] = array();
2617                }
2618                foreach ($values as $value => $dependents) {
2619                    $result[$dependenton][$condition][$value][self::DEP_HIDE] = array();
2620                    foreach ($dependents as $dependent) {
2621                        $elements = $this->_getElNamesRecursive($dependent);
2622                        if (!in_array($dependent, $elements)) {
2623                            // Always want to hide the main element, even if it contains sub-elements as well.
2624                            $elements[] = $dependent;
2625                        }
2626                        foreach ($elements as $element) {
2627                            if ($element == $dependenton) {
2628                                continue;
2629                            }
2630                            $result[$dependenton][$condition][$value][self::DEP_HIDE][] = $element;
2631                        }
2632                    }
2633                }
2634            }
2635        }
2636        return array($this->getAttribute('id'), $result);
2637    }
2638
2639    /**
2640     * Get names of element or elements in a group.
2641     *
2642     * @param HTML_QuickForm_group|element $element element group or element object
2643     * @return array
2644     */
2645    function _getElNamesRecursive($element) {
2646        if (is_string($element)) {
2647            if (!$this->elementExists($element)) {
2648                return array();
2649            }
2650            $element = $this->getElement($element);
2651        }
2652
2653        if (is_a($element, 'HTML_QuickForm_group')) {
2654            $elsInGroup = $element->getElements();
2655            $elNames = array();
2656            foreach ($elsInGroup as $elInGroup){
2657                if (is_a($elInGroup, 'HTML_QuickForm_group')) {
2658                    // Groups nested in groups: append the group name to the element and then change it back.
2659                    // We will be appending group name again in MoodleQuickForm_group::export_for_template().
2660                    $oldname = $elInGroup->getName();
2661                    if ($element->_appendName) {
2662                        $elInGroup->setName($element->getName() . '[' . $oldname . ']');
2663                    }
2664                    $elNames = array_merge($elNames, $this->_getElNamesRecursive($elInGroup));
2665                    $elInGroup->setName($oldname);
2666                } else {
2667                    $elNames[] = $element->getElementName($elInGroup->getName());
2668                }
2669            }
2670
2671        } else if (is_a($element, 'HTML_QuickForm_header')) {
2672            return array();
2673
2674        } else if (is_a($element, 'HTML_QuickForm_hidden')) {
2675            return array();
2676
2677        } else if (method_exists($element, 'getPrivateName') &&
2678                !($element instanceof HTML_QuickForm_advcheckbox)) {
2679            // The advcheckbox element implements a method called getPrivateName,
2680            // but in a way that is not compatible with the generic API, so we
2681            // have to explicitly exclude it.
2682            return array($element->getPrivateName());
2683
2684        } else {
2685            $elNames = array($element->getName());
2686        }
2687
2688        return $elNames;
2689    }
2690
2691    /**
2692     * Adds a dependency for $elementName which will be disabled if $condition is met.
2693     * If $condition = 'notchecked' (default) then the condition is that the $dependentOn element
2694     * is not checked. If $condition = 'checked' then the condition is that the $dependentOn element
2695     * is checked. If $condition is something else (like "eq" for equals) then it is checked to see if the value
2696     * of the $dependentOn element is $condition (such as equal) to $value.
2697     *
2698     * When working with multiple selects, the dependentOn has to be the real name of the select, meaning that
2699     * it will most likely end up with '[]'. Also, the value should be an array of required values, or a string
2700     * containing the values separated by pipes: array('red', 'blue') or 'red|blue'.
2701     *
2702     * @param string $elementName the name of the element which will be disabled
2703     * @param string $dependentOn the name of the element whose state will be checked for condition
2704     * @param string $condition the condition to check
2705     * @param mixed $value used in conjunction with condition.
2706     */
2707    function disabledIf($elementName, $dependentOn, $condition = 'notchecked', $value='1') {
2708        // Multiple selects allow for a multiple selection, we transform the array to string here as
2709        // an array cannot be used as a key in an associative array.
2710        if (is_array($value)) {
2711            $value = implode('|', $value);
2712        }
2713        if (!array_key_exists($dependentOn, $this->_dependencies)) {
2714            $this->_dependencies[$dependentOn] = array();
2715        }
2716        if (!array_key_exists($condition, $this->_dependencies[$dependentOn])) {
2717            $this->_dependencies[$dependentOn][$condition] = array();
2718        }
2719        if (!array_key_exists($value, $this->_dependencies[$dependentOn][$condition])) {
2720            $this->_dependencies[$dependentOn][$condition][$value] = array();
2721        }
2722        $this->_dependencies[$dependentOn][$condition][$value][] = $elementName;
2723    }
2724
2725    /**
2726     * Adds a dependency for $elementName which will be hidden if $condition is met.
2727     * If $condition = 'notchecked' (default) then the condition is that the $dependentOn element
2728     * is not checked. If $condition = 'checked' then the condition is that the $dependentOn element
2729     * is checked. If $condition is something else (like "eq" for equals) then it is checked to see if the value
2730     * of the $dependentOn element is $condition (such as equal) to $value.
2731     *
2732     * When working with multiple selects, the dependentOn has to be the real name of the select, meaning that
2733     * it will most likely end up with '[]'. Also, the value should be an array of required values, or a string
2734     * containing the values separated by pipes: array('red', 'blue') or 'red|blue'.
2735     *
2736     * @param string $elementname the name of the element which will be hidden
2737     * @param string $dependenton the name of the element whose state will be checked for condition
2738     * @param string $condition the condition to check
2739     * @param mixed $value used in conjunction with condition.
2740     */
2741    public function hideIf($elementname, $dependenton, $condition = 'notchecked', $value = '1') {
2742        // Multiple selects allow for a multiple selection, we transform the array to string here as
2743        // an array cannot be used as a key in an associative array.
2744        if (is_array($value)) {
2745            $value = implode('|', $value);
2746        }
2747        if (!array_key_exists($dependenton, $this->_hideifs)) {
2748            $this->_hideifs[$dependenton] = array();
2749        }
2750        if (!array_key_exists($condition, $this->_hideifs[$dependenton])) {
2751            $this->_hideifs[$dependenton][$condition] = array();
2752        }
2753        if (!array_key_exists($value, $this->_hideifs[$dependenton][$condition])) {
2754            $this->_hideifs[$dependenton][$condition][$value] = array();
2755        }
2756        $this->_hideifs[$dependenton][$condition][$value][] = $elementname;
2757    }
2758
2759    /**
2760     * Registers button as no submit button
2761     *
2762     * @param string $buttonname name of the button
2763     */
2764    function registerNoSubmitButton($buttonname){
2765        $this->_noSubmitButtons[]=$buttonname;
2766    }
2767
2768    /**
2769     * Checks if button is a no submit button, i.e it doesn't submit form
2770     *
2771     * @param string $buttonname name of the button to check
2772     * @return bool
2773     */
2774    function isNoSubmitButton($buttonname){
2775        return (array_search($buttonname, $this->_noSubmitButtons)!==FALSE);
2776    }
2777
2778    /**
2779     * Registers a button as cancel button
2780     *
2781     * @param string $addfieldsname name of the button
2782     */
2783    function _registerCancelButton($addfieldsname){
2784        $this->_cancelButtons[]=$addfieldsname;
2785    }
2786
2787    /**
2788     * Displays elements without HTML input tags.
2789     * This method is different to freeze() in that it makes sure no hidden
2790     * elements are included in the form.
2791     * Note: If you want to make sure the submitted value is ignored, please use setDefaults().
2792     *
2793     * This function also removes all previously defined rules.
2794     *
2795     * @param string|array $elementList array or string of element(s) to be frozen
2796     * @return object|bool if element list is not empty then return error object, else true
2797     */
2798    function hardFreeze($elementList=null)
2799    {
2800        if (!isset($elementList)) {
2801            $this->_freezeAll = true;
2802            $elementList = array();
2803        } else {
2804            if (!is_array($elementList)) {
2805                $elementList = preg_split('/[ ]*,[ ]*/', $elementList);
2806            }
2807            $elementList = array_flip($elementList);
2808        }
2809
2810        foreach (array_keys($this->_elements) as $key) {
2811            $name = $this->_elements[$key]->getName();
2812            if ($this->_freezeAll || isset($elementList[$name])) {
2813                $this->_elements[$key]->freeze();
2814                $this->_elements[$key]->setPersistantFreeze(false);
2815                unset($elementList[$name]);
2816
2817                // remove all rules
2818                $this->_rules[$name] = array();
2819                // if field is required, remove the rule
2820                $unset = array_search($name, $this->_required);
2821                if ($unset !== false) {
2822                    unset($this->_required[$unset]);
2823                }
2824            }
2825        }
2826
2827        if (!empty($elementList)) {
2828            return self::raiseError(null, QUICKFORM_NONEXIST_ELEMENT, null, E_USER_WARNING, "Nonexistant element(s): '" . implode("', '", array_keys($elementList)) . "' in HTML_QuickForm::freeze()", 'HTML_QuickForm_Error', true);
2829        }
2830        return true;
2831    }
2832
2833    /**
2834     * Hard freeze all elements in a form except those whose names are in $elementList or hidden elements in a form.
2835     *
2836     * This function also removes all previously defined rules of elements it freezes.
2837     *
2838     * @throws HTML_QuickForm_Error
2839     * @param array $elementList array or string of element(s) not to be frozen
2840     * @return bool returns true
2841     */
2842    function hardFreezeAllVisibleExcept($elementList)
2843    {
2844        $elementList = array_flip($elementList);
2845        foreach (array_keys($this->_elements) as $key) {
2846            $name = $this->_elements[$key]->getName();
2847            $type = $this->_elements[$key]->getType();
2848
2849            if ($type == 'hidden'){
2850                // leave hidden types as they are
2851            } elseif (!isset($elementList[$name])) {
2852                $this->_elements[$key]->freeze();
2853                $this->_elements[$key]->setPersistantFreeze(false);
2854
2855                // remove all rules
2856                $this->_rules[$name] = array();
2857                // if field is required, remove the rule
2858                $unset = array_search($name, $this->_required);
2859                if ($unset !== false) {
2860                    unset($this->_required[$unset]);
2861                }
2862            }
2863        }
2864        return true;
2865    }
2866
2867   /**
2868    * Tells whether the form was already submitted
2869    *
2870    * This is useful since the _submitFiles and _submitValues arrays
2871    * may be completely empty after the trackSubmit value is removed.
2872    *
2873    * @return bool
2874    */
2875    function isSubmitted()
2876    {
2877        return parent::isSubmitted() && (!$this->isFrozen());
2878    }
2879
2880    /**
2881     * Add the element name to the list of newly-created repeat elements
2882     * (So that elements that interpret 'no data submitted' as a valid state
2883     * can tell when they should get the default value instead).
2884     *
2885     * @param string $name the name of the new element
2886     */
2887    public function note_new_repeat($name) {
2888        $this->_newrepeats[] = $name;
2889    }
2890
2891    /**
2892     * Check if the element with the given name has just been added by clicking
2893     * on the 'Add repeating elements' button.
2894     *
2895     * @param string $name the name of the element being checked
2896     * @return bool true if the element is newly added
2897     */
2898    public function is_new_repeat($name) {
2899        return in_array($name, $this->_newrepeats);
2900    }
2901}
2902
2903/**
2904 * MoodleQuickForm renderer
2905 *
2906 * A renderer for MoodleQuickForm that only uses XHTML and CSS and no
2907 * table tags, extends PEAR class HTML_QuickForm_Renderer_Tableless
2908 *
2909 * Stylesheet is part of standard theme and should be automatically included.
2910 *
2911 * @package   core_form
2912 * @copyright 2007 Jamie Pratt <me@jamiep.org>
2913 * @license   http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
2914 */
2915class MoodleQuickForm_Renderer extends HTML_QuickForm_Renderer_Tableless{
2916
2917    /** @var array Element template array */
2918    var $_elementTemplates;
2919
2920    /**
2921     * Template used when opening a hidden fieldset
2922     * (i.e. a fieldset that is opened when there is no header element)
2923     * @var string
2924     */
2925    var $_openHiddenFieldsetTemplate = "\n\t<fieldset class=\"hidden\"><div>";
2926
2927    /** @var string Header Template string */
2928    var $_headerTemplate =
2929       "\n\t\t<legend class=\"ftoggler\">{header}</legend>\n\t\t<div class=\"fcontainer clearfix\">\n\t\t";
2930
2931    /** @var string Template used when opening a fieldset */
2932    var $_openFieldsetTemplate = "\n\t<fieldset class=\"{classes}\" {id}>";
2933
2934    /** @var string Template used when closing a fieldset */
2935    var $_closeFieldsetTemplate = "\n\t\t</div></fieldset>";
2936
2937    /** @var string Required Note template string */
2938    var $_requiredNoteTemplate =
2939        "\n\t\t<div class=\"fdescription required\">{requiredNote}</div>";
2940
2941    /**
2942     * Collapsible buttons string template.
2943     *
2944     * Note that the <span> will be converted as a link. This is done so that the link is not yet clickable
2945     * until the Javascript has been fully loaded.
2946     *
2947     * @var string
2948     */
2949    var $_collapseButtonsTemplate =
2950        "\n\t<div class=\"collapsible-actions\"><span class=\"collapseexpand\">{strexpandall}</span></div>";
2951
2952    /**
2953     * Array whose keys are element names. If the key exists this is a advanced element
2954     *
2955     * @var array
2956     */
2957    var $_advancedElements = array();
2958
2959    /**
2960     * Array whose keys are element names and the the boolean values reflect the current state. If the key exists this is a collapsible element.
2961     *
2962     * @var array
2963     */
2964    var $_collapsibleElements = array();
2965
2966    /**
2967     * @var string Contains the collapsible buttons to add to the form.
2968     */
2969    var $_collapseButtons = '';
2970
2971    /**
2972     * Constructor
2973     */
2974    public function __construct() {
2975        // switch next two lines for ol li containers for form items.
2976        //        $this->_elementTemplates=array('default'=>"\n\t\t".'<li class="fitem"><label>{label}{help}<!-- BEGIN required -->{req}<!-- END required --></label><div class="qfelement<!-- BEGIN error --> error<!-- END error --> {typeclass}"><!-- BEGIN error --><span class="error">{error}</span><br /><!-- END error -->{element}</div></li>');
2977        $this->_elementTemplates = array(
2978        'default' => "\n\t\t".'<div id="{id}" class="fitem {advanced}<!-- BEGIN required --> required<!-- END required --> fitem_{typeclass} {emptylabel} {class}" {aria-live} {groupname}><div class="fitemtitle"><label>{label}<!-- BEGIN required -->{req}<!-- END required -->{advancedimg} </label>{help}</div><div class="felement {typeclass}<!-- BEGIN error --> error<!-- END error -->" data-fieldtype="{type}"><!-- BEGIN error --><span class="error" tabindex="0">{error}</span><br /><!-- END error -->{element}</div></div>',
2979
2980        'actionbuttons' => "\n\t\t".'<div id="{id}" class="fitem fitem_actionbuttons fitem_{typeclass} {class}" {groupname}><div class="felement {typeclass}" data-fieldtype="{type}">{element}</div></div>',
2981
2982        'fieldset' => "\n\t\t".'<div id="{id}" class="fitem {advanced} {class}<!-- BEGIN required --> required<!-- END required --> fitem_{typeclass} {emptylabel}" {groupname}><div class="fitemtitle"><div class="fgrouplabel"><label>{label}<!-- BEGIN required -->{req}<!-- END required -->{advancedimg} </label>{help}</div></div><fieldset class="felement {typeclass}<!-- BEGIN error --> error<!-- END error -->" data-fieldtype="{type}"><!-- BEGIN error --><span class="error" tabindex="0">{error}</span><br /><!-- END error -->{element}</fieldset></div>',
2983
2984        'static' => "\n\t\t".'<div id="{id}" class="fitem {advanced} {emptylabel} {class}" {groupname}><div class="fitemtitle"><div class="fstaticlabel">{label}<!-- BEGIN required -->{req}<!-- END required -->{advancedimg} {help}</div></div><div class="felement fstatic <!-- BEGIN error --> error<!-- END error -->" data-fieldtype="static"><!-- BEGIN error --><span class="error" tabindex="0">{error}</span><br /><!-- END error -->{element}</div></div>',
2985
2986        'warning' => "\n\t\t".'<div id="{id}" class="fitem {advanced} {emptylabel} {class}">{element}</div>',
2987
2988        'nodisplay' => '');
2989
2990        parent::__construct();
2991    }
2992
2993    /**
2994     * Old syntax of class constructor. Deprecated in PHP7.
2995     *
2996     * @deprecated since Moodle 3.1
2997     */
2998    public function MoodleQuickForm_Renderer() {
2999        debugging('Use of class name as constructor is deprecated', DEBUG_DEVELOPER);
3000        self::__construct();
3001    }
3002
3003    /**
3004     * Set element's as adavance element
3005     *
3006     * @param array $elements form elements which needs to be grouped as advance elements.
3007     */
3008    function setAdvancedElements($elements){
3009        $this->_advancedElements = $elements;
3010    }
3011
3012    /**
3013     * Setting collapsible elements
3014     *
3015     * @param array $elements
3016     */
3017    function setCollapsibleElements($elements) {
3018        $this->_collapsibleElements = $elements;
3019    }
3020
3021    /**
3022     * What to do when starting the form
3023     *
3024     * @param MoodleQuickForm $form reference of the form
3025     */
3026    function startForm(&$form){
3027        global $PAGE;
3028        $this->_reqHTML = $form->getReqHTML();
3029        $this->_elementTemplates = str_replace('{req}', $this->_reqHTML, $this->_elementTemplates);
3030        $this->_advancedHTML = $form->getAdvancedHTML();
3031        $this->_collapseButtons = '';
3032        $formid = $form->getAttribute('id');
3033        parent::startForm($form);
3034        if ($form->isFrozen()){
3035            $this->_formTemplate = "\n<div id=\"$formid\" class=\"mform frozen\">\n{collapsebtns}\n{content}\n</div>";
3036        } else {
3037            $this->_formTemplate = "\n<form{attributes}>\n\t<div style=\"display: none;\">{hidden}</div>\n{collapsebtns}\n{content}\n</form>";
3038            $this->_hiddenHtml .= $form->_pageparams;
3039        }
3040
3041        if ($form->is_form_change_checker_enabled()) {
3042            $PAGE->requires->yui_module('moodle-core-formchangechecker',
3043                    'M.core_formchangechecker.init',
3044                    array(array(
3045                        'formid' => $formid,
3046                        'initialdirtystate' => $form->is_dirty(),
3047                    ))
3048            );
3049            $PAGE->requires->string_for_js('changesmadereallygoaway', 'moodle');
3050        }
3051        if (!empty($this->_collapsibleElements)) {
3052            if (count($this->_collapsibleElements) > 1) {
3053                $this->_collapseButtons = $this->_collapseButtonsTemplate;
3054                $this->_collapseButtons = str_replace('{strexpandall}', get_string('expandall'), $this->_collapseButtons);
3055                $PAGE->requires->strings_for_js(array('collapseall', 'expandall'), 'moodle');
3056            }
3057            $PAGE->requires->yui_module('moodle-form-shortforms', 'M.form.shortforms', array(array('formid' => $formid)));
3058        }
3059        if (!empty($this->_advancedElements)){
3060            $PAGE->requires->js_call_amd('core_form/showadvanced', 'init', [$formid]);
3061        }
3062    }
3063
3064    /**
3065     * Create advance group of elements
3066     *
3067     * @param MoodleQuickForm_group $group Passed by reference
3068     * @param bool $required if input is required field
3069     * @param string $error error message to display
3070     */
3071    function startGroup(&$group, $required, $error){
3072        global $OUTPUT;
3073
3074        // Make sure the element has an id.
3075        $group->_generateId();
3076
3077        // Prepend 'fgroup_' to the ID we generated.
3078        $groupid = 'fgroup_' . $group->getAttribute('id');
3079
3080        // Update the ID.
3081        $group->updateAttributes(array('id' => $groupid));
3082        $advanced = isset($this->_advancedElements[$group->getName()]);
3083
3084        $html = $OUTPUT->mform_element($group, $required, $advanced, $error, false);
3085        $fromtemplate = !empty($html);
3086        if (!$fromtemplate) {
3087            if (method_exists($group, 'getElementTemplateType')) {
3088                $html = $this->_elementTemplates[$group->getElementTemplateType()];
3089            } else {
3090                $html = $this->_elementTemplates['default'];
3091            }
3092
3093            if (isset($this->_advancedElements[$group->getName()])) {
3094                $html = str_replace(' {advanced}', ' advanced', $html);
3095                $html = str_replace('{advancedimg}', $this->_advancedHTML, $html);
3096            } else {
3097                $html = str_replace(' {advanced}', '', $html);
3098                $html = str_replace('{advancedimg}', '', $html);
3099            }
3100            if (method_exists($group, 'getHelpButton')) {
3101                $html = str_replace('{help}', $group->getHelpButton(), $html);
3102            } else {
3103                $html = str_replace('{help}', '', $html);
3104            }
3105            $html = str_replace('{id}', $group->getAttribute('id'), $html);
3106            $html = str_replace('{name}', $group->getName(), $html);
3107            $html = str_replace('{groupname}', 'data-groupname="'.$group->getName().'"', $html);
3108            $html = str_replace('{typeclass}', 'fgroup', $html);
3109            $html = str_replace('{type}', 'group', $html);
3110            $html = str_replace('{class}', $group->getAttribute('class'), $html);
3111            $emptylabel = '';
3112            if ($group->getLabel() == '') {
3113                $emptylabel = 'femptylabel';
3114            }
3115            $html = str_replace('{emptylabel}', $emptylabel, $html);
3116        }
3117        $this->_templates[$group->getName()] = $html;
3118        // Fix for bug in tableless quickforms that didn't allow you to stop a
3119        // fieldset before a group of elements.
3120        // if the element name indicates the end of a fieldset, close the fieldset
3121        if (in_array($group->getName(), $this->_stopFieldsetElements) && $this->_fieldsetsOpen > 0) {
3122            $this->_html .= $this->_closeFieldsetTemplate;
3123            $this->_fieldsetsOpen--;
3124        }
3125        if (!$fromtemplate) {
3126            parent::startGroup($group, $required, $error);
3127        } else {
3128            $this->_html .= $html;
3129        }
3130    }
3131
3132    /**
3133     * Renders element
3134     *
3135     * @param HTML_QuickForm_element $element element
3136     * @param bool $required if input is required field
3137     * @param string $error error message to display
3138     */
3139    function renderElement(&$element, $required, $error){
3140        global $OUTPUT;
3141
3142        // Make sure the element has an id.
3143        $element->_generateId();
3144        $advanced = isset($this->_advancedElements[$element->getName()]);
3145
3146        $html = $OUTPUT->mform_element($element, $required, $advanced, $error, false);
3147        $fromtemplate = !empty($html);
3148        if (!$fromtemplate) {
3149            // Adding stuff to place holders in template
3150            // check if this is a group element first.
3151            if (($this->_inGroup) and !empty($this->_groupElementTemplate)) {
3152                // So it gets substitutions for *each* element.
3153                $html = $this->_groupElementTemplate;
3154            } else if (method_exists($element, 'getElementTemplateType')) {
3155                $html = $this->_elementTemplates[$element->getElementTemplateType()];
3156            } else {
3157                $html = $this->_elementTemplates['default'];
3158            }
3159            if (isset($this->_advancedElements[$element->getName()])) {
3160                $html = str_replace(' {advanced}', ' advanced', $html);
3161                $html = str_replace(' {aria-live}', ' aria-live="polite"', $html);
3162            } else {
3163                $html = str_replace(' {advanced}', '', $html);
3164                $html = str_replace(' {aria-live}', '', $html);
3165            }
3166            if (isset($this->_advancedElements[$element->getName()]) || $element->getName() == 'mform_showadvanced') {
3167                $html = str_replace('{advancedimg}', $this->_advancedHTML, $html);
3168            } else {
3169                $html = str_replace('{advancedimg}', '', $html);
3170            }
3171            $html = str_replace('{id}', 'fitem_' . $element->getAttribute('id'), $html);
3172            $html = str_replace('{typeclass}', 'f' . $element->getType(), $html);
3173            $html = str_replace('{type}', $element->getType(), $html);
3174            $html = str_replace('{name}', $element->getName(), $html);
3175            $html = str_replace('{groupname}', '', $html);
3176            $html = str_replace('{class}', $element->getAttribute('class'), $html);
3177            $emptylabel = '';
3178            if ($element->getLabel() == '') {
3179                $emptylabel = 'femptylabel';
3180            }
3181            $html = str_replace('{emptylabel}', $emptylabel, $html);
3182            if (method_exists($element, 'getHelpButton')) {
3183                $html = str_replace('{help}', $element->getHelpButton(), $html);
3184            } else {
3185                $html = str_replace('{help}', '', $html);
3186            }
3187        } else {
3188            if ($this->_inGroup) {
3189                $this->_groupElementTemplate = $html;
3190            }
3191        }
3192        if (($this->_inGroup) and !empty($this->_groupElementTemplate)) {
3193            $this->_groupElementTemplate = $html;
3194        } else if (!isset($this->_templates[$element->getName()])) {
3195            $this->_templates[$element->getName()] = $html;
3196        }
3197
3198        if (!$fromtemplate) {
3199            parent::renderElement($element, $required, $error);
3200        } else {
3201            if (in_array($element->getName(), $this->_stopFieldsetElements) && $this->_fieldsetsOpen > 0) {
3202                $this->_html .= $this->_closeFieldsetTemplate;
3203                $this->_fieldsetsOpen--;
3204            }
3205            $this->_html .= $html;
3206        }
3207    }
3208
3209    /**
3210     * Called when visiting a form, after processing all form elements
3211     * Adds required note, form attributes, validation javascript and form content.
3212     *
3213     * @global moodle_page $PAGE
3214     * @param moodleform $form Passed by reference
3215     */
3216    function finishForm(&$form){
3217        global $PAGE;
3218        if ($form->isFrozen()){
3219            $this->_hiddenHtml = '';
3220        }
3221        parent::finishForm($form);
3222        $this->_html = str_replace('{collapsebtns}', $this->_collapseButtons, $this->_html);
3223        if (!$form->isFrozen()) {
3224            $args = $form->getLockOptionObject();
3225            if (count($args[1]) > 0) {
3226                $PAGE->requires->js_init_call('M.form.initFormDependencies', $args, true, moodleform::get_js_module());
3227            }
3228        }
3229    }
3230   /**
3231    * Called when visiting a header element
3232    *
3233    * @param HTML_QuickForm_header $header An HTML_QuickForm_header element being visited
3234    * @global moodle_page $PAGE
3235    */
3236    function renderHeader(&$header) {
3237        global $PAGE;
3238
3239        $header->_generateId();
3240        $name = $header->getName();
3241
3242        $id = empty($name) ? '' : ' id="' . $header->getAttribute('id') . '"';
3243        if (is_null($header->_text)) {
3244            $header_html = '';
3245        } elseif (!empty($name) && isset($this->_templates[$name])) {
3246            $header_html = str_replace('{header}', $header->toHtml(), $this->_templates[$name]);
3247        } else {
3248            $header_html = str_replace('{header}', $header->toHtml(), $this->_headerTemplate);
3249        }
3250
3251        if ($this->_fieldsetsOpen > 0) {
3252            $this->_html .= $this->_closeFieldsetTemplate;
3253            $this->_fieldsetsOpen--;
3254        }
3255
3256        // Define collapsible classes for fieldsets.
3257        $arialive = '';
3258        $fieldsetclasses = array('clearfix');
3259        if (isset($this->_collapsibleElements[$header->getName()])) {
3260            $fieldsetclasses[] = 'collapsible';
3261            if ($this->_collapsibleElements[$header->getName()]) {
3262                $fieldsetclasses[] = 'collapsed';
3263            }
3264        }
3265
3266        if (isset($this->_advancedElements[$name])){
3267            $fieldsetclasses[] = 'containsadvancedelements';
3268        }
3269
3270        $openFieldsetTemplate = str_replace('{id}', $id, $this->_openFieldsetTemplate);
3271        $openFieldsetTemplate = str_replace('{classes}', join(' ', $fieldsetclasses), $openFieldsetTemplate);
3272
3273        $this->_html .= $openFieldsetTemplate . $header_html;
3274        $this->_fieldsetsOpen++;
3275    }
3276
3277    /**
3278     * Return Array of element names that indicate the end of a fieldset
3279     *
3280     * @return array
3281     */
3282    function getStopFieldsetElements(){
3283        return $this->_stopFieldsetElements;
3284    }
3285}
3286
3287/**
3288 * Required elements validation
3289 *
3290 * This class overrides QuickForm validation since it allowed space or empty tag as a value
3291 *
3292 * @package   core_form
3293 * @category  form
3294 * @copyright 2006 Jamie Pratt <me@jamiep.org>
3295 * @license   http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
3296 */
3297class MoodleQuickForm_Rule_Required extends HTML_QuickForm_Rule {
3298    /**
3299     * Checks if an element is not empty.
3300     * This is a server-side validation, it works for both text fields and editor fields
3301     *
3302     * @param string $value Value to check
3303     * @param int|string|array $options Not used yet
3304     * @return bool true if value is not empty
3305     */
3306    function validate($value, $options = null) {
3307        global $CFG;
3308        if (is_array($value) && array_key_exists('text', $value)) {
3309            $value = $value['text'];
3310        }
3311        if (is_array($value)) {
3312            // nasty guess - there has to be something in the array, hopefully nobody invents arrays in arrays
3313            $value = implode('', $value);
3314        }
3315        $stripvalues = array(
3316            '#</?(?!img|canvas|hr).*?>#im', // all tags except img, canvas and hr
3317            '#(\xc2\xa0|\s|&nbsp;)#', // Any whitespaces actually.
3318        );
3319        if (!empty($CFG->strictformsrequired)) {
3320            $value = preg_replace($stripvalues, '', (string)$value);
3321        }
3322        if ((string)$value == '') {
3323            return false;
3324        }
3325        return true;
3326    }
3327
3328    /**
3329     * This function returns Javascript code used to build client-side validation.
3330     * It checks if an element is not empty.
3331     *
3332     * @param int $format format of data which needs to be validated.
3333     * @return array
3334     */
3335    function getValidationScript($format = null) {
3336        global $CFG;
3337        if (!empty($CFG->strictformsrequired)) {
3338            if (!empty($format) && $format == FORMAT_HTML) {
3339                return array('', "{jsVar}.replace(/(<(?!img|hr|canvas)[^>]*>)|&nbsp;|\s+/ig, '') == ''");
3340            } else {
3341                return array('', "{jsVar}.replace(/^\s+$/g, '') == ''");
3342            }
3343        } else {
3344            return array('', "{jsVar} == ''");
3345        }
3346    }
3347}
3348
3349/**
3350 * @global object $GLOBALS['_HTML_QuickForm_default_renderer']
3351 * @name $_HTML_QuickForm_default_renderer
3352 */
3353$GLOBALS['_HTML_QuickForm_default_renderer'] = new MoodleQuickForm_Renderer();
3354
3355/** Please keep this list in alphabetical order. */
3356MoodleQuickForm::registerElementType('advcheckbox', "$CFG->libdir/form/advcheckbox.php", 'MoodleQuickForm_advcheckbox');
3357MoodleQuickForm::registerElementType('autocomplete', "$CFG->libdir/form/autocomplete.php", 'MoodleQuickForm_autocomplete');
3358MoodleQuickForm::registerElementType('button', "$CFG->libdir/form/button.php", 'MoodleQuickForm_button');
3359MoodleQuickForm::registerElementType('cancel', "$CFG->libdir/form/cancel.php", 'MoodleQuickForm_cancel');
3360MoodleQuickForm::registerElementType('course', "$CFG->libdir/form/course.php", 'MoodleQuickForm_course');
3361MoodleQuickForm::registerElementType('cohort', "$CFG->libdir/form/cohort.php", 'MoodleQuickForm_cohort');
3362MoodleQuickForm::registerElementType('searchableselector', "$CFG->libdir/form/searchableselector.php", 'MoodleQuickForm_searchableselector');
3363MoodleQuickForm::registerElementType('checkbox', "$CFG->libdir/form/checkbox.php", 'MoodleQuickForm_checkbox');
3364MoodleQuickForm::registerElementType('date_selector', "$CFG->libdir/form/dateselector.php", 'MoodleQuickForm_date_selector');
3365MoodleQuickForm::registerElementType('date_time_selector', "$CFG->libdir/form/datetimeselector.php", 'MoodleQuickForm_date_time_selector');
3366MoodleQuickForm::registerElementType('duration', "$CFG->libdir/form/duration.php", 'MoodleQuickForm_duration');
3367MoodleQuickForm::registerElementType('editor', "$CFG->libdir/form/editor.php", 'MoodleQuickForm_editor');
3368MoodleQuickForm::registerElementType('filemanager', "$CFG->libdir/form/filemanager.php", 'MoodleQuickForm_filemanager');
3369MoodleQuickForm::registerElementType('filepicker', "$CFG->libdir/form/filepicker.php", 'MoodleQuickForm_filepicker');
3370MoodleQuickForm::registerElementType('filetypes', "$CFG->libdir/form/filetypes.php", 'MoodleQuickForm_filetypes');
3371MoodleQuickForm::registerElementType('float', "$CFG->libdir/form/float.php", 'MoodleQuickForm_float');
3372MoodleQuickForm::registerElementType('grading', "$CFG->libdir/form/grading.php", 'MoodleQuickForm_grading');
3373MoodleQuickForm::registerElementType('group', "$CFG->libdir/form/group.php", 'MoodleQuickForm_group');
3374MoodleQuickForm::registerElementType('header', "$CFG->libdir/form/header.php", 'MoodleQuickForm_header');
3375MoodleQuickForm::registerElementType('hidden', "$CFG->libdir/form/hidden.php", 'MoodleQuickForm_hidden');
3376MoodleQuickForm::registerElementType('listing', "$CFG->libdir/form/listing.php", 'MoodleQuickForm_listing');
3377MoodleQuickForm::registerElementType('defaultcustom', "$CFG->libdir/form/defaultcustom.php", 'MoodleQuickForm_defaultcustom');
3378MoodleQuickForm::registerElementType('modgrade', "$CFG->libdir/form/modgrade.php", 'MoodleQuickForm_modgrade');
3379MoodleQuickForm::registerElementType('modvisible', "$CFG->libdir/form/modvisible.php", 'MoodleQuickForm_modvisible');
3380MoodleQuickForm::registerElementType('password', "$CFG->libdir/form/password.php", 'MoodleQuickForm_password');
3381MoodleQuickForm::registerElementType('passwordunmask', "$CFG->libdir/form/passwordunmask.php", 'MoodleQuickForm_passwordunmask');
3382MoodleQuickForm::registerElementType('questioncategory', "$CFG->libdir/form/questioncategory.php", 'MoodleQuickForm_questioncategory');
3383MoodleQuickForm::registerElementType('radio', "$CFG->libdir/form/radio.php", 'MoodleQuickForm_radio');
3384MoodleQuickForm::registerElementType('recaptcha', "$CFG->libdir/form/recaptcha.php", 'MoodleQuickForm_recaptcha');
3385MoodleQuickForm::registerElementType('select', "$CFG->libdir/form/select.php", 'MoodleQuickForm_select');
3386MoodleQuickForm::registerElementType('selectgroups', "$CFG->libdir/form/selectgroups.php", 'MoodleQuickForm_selectgroups');
3387MoodleQuickForm::registerElementType('selectwithlink', "$CFG->libdir/form/selectwithlink.php", 'MoodleQuickForm_selectwithlink');
3388MoodleQuickForm::registerElementType('selectyesno', "$CFG->libdir/form/selectyesno.php", 'MoodleQuickForm_selectyesno');
3389MoodleQuickForm::registerElementType('static', "$CFG->libdir/form/static.php", 'MoodleQuickForm_static');
3390MoodleQuickForm::registerElementType('submit', "$CFG->libdir/form/submit.php", 'MoodleQuickForm_submit');
3391MoodleQuickForm::registerElementType('tags', "$CFG->libdir/form/tags.php", 'MoodleQuickForm_tags');
3392MoodleQuickForm::registerElementType('text', "$CFG->libdir/form/text.php", 'MoodleQuickForm_text');
3393MoodleQuickForm::registerElementType('textarea', "$CFG->libdir/form/textarea.php", 'MoodleQuickForm_textarea');
3394MoodleQuickForm::registerElementType('url', "$CFG->libdir/form/url.php", 'MoodleQuickForm_url');
3395MoodleQuickForm::registerElementType('warning', "$CFG->libdir/form/warning.php", 'MoodleQuickForm_warning');
3396
3397MoodleQuickForm::registerRule('required', null, 'MoodleQuickForm_Rule_Required', "$CFG->libdir/formslib.php");
3398