2 // This file is part of Moodle - http://moodle.org/
4 // Moodle is free software: you can redistribute it and/or modify
5 // it under the terms of the GNU General Public License as published by
6 // the Free Software Foundation, either version 3 of the License, or
7 // (at your option) any later version.
9 // Moodle is distributed in the hope that it will be useful,
10 // but WITHOUT ANY WARRANTY; without even the implied warranty of
11 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 // GNU General Public License for more details.
14 // You should have received a copy of the GNU General Public License
15 // along with Moodle. If not, see <http://www.gnu.org/licenses/>.
18 * Classes for rendering HTML output for Moodle.
20 * Please see {@link http://docs.moodle.org/en/Developement:How_Moodle_outputs_HTML}
23 * Included in this file are the primary renderer classes:
24 * - renderer_base: The renderer outline class that all renderers
25 * should inherit from.
26 * - core_renderer: The standard HTML renderer.
27 * - core_renderer_cli: An adaption of the standard renderer for CLI scripts.
28 * - core_renderer_ajax: An adaption of the standard renderer for AJAX scripts.
29 * - plugin_renderer_base: A renderer class that should be extended by all
34 * @copyright 2009 Tim Hunt
35 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
38 defined('MOODLE_INTERNAL') || die();
41 * Simple base class for Moodle renderers.
43 * Tracks the xhtml_container_stack to use, which is passed in in the constructor.
45 * Also has methods to facilitate generating HTML output.
47 * @copyright 2009 Tim Hunt
48 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
55 * @var xhtml_container_stack The xhtml_container_stack to use.
57 protected $opencontainers;
60 * @var moodle_page The Moodle page the renderer has been created to assist with.
65 * @var string The requested rendering target.
70 * @var Mustache_Engine $mustache The mustache template compiler
75 * Return an instance of the mustache class.
78 * @return Mustache_Engine
80 protected function get_mustache() {
83 if ($this->mustache === null) {
84 require_once($CFG->dirroot . '/lib/mustache/src/Mustache/Autoloader.php');
85 Mustache_Autoloader::register();
87 $themename = $this->page->theme->name;
88 $themerev = theme_get_revision();
90 $cachedir = make_localcache_directory("mustache/$themerev/$themename");
92 $loader = new \core\output\mustache_filesystem_loader();
93 $stringhelper = new \core\output\mustache_string_helper();
94 $jshelper = new \core\output\mustache_javascript_helper($this->page->requires);
95 $pixhelper = new \core\output\mustache_pix_helper($this);
97 // We only expose the variables that are exposed to JS templates.
98 $safeconfig = $this->page->requires->get_config_for_javascript($this->page, $this);
100 $helpers = array('config' => $safeconfig,
101 'str' => array($stringhelper, 'str'),
102 'js' => array($jshelper, 'help'),
103 'pix' => array($pixhelper, 'pix'));
105 $this->mustache = new Mustache_Engine(array(
106 'cache' => $cachedir,
109 'helpers' => $helpers,
110 'pragmas' => [Mustache_Engine::PRAGMA_BLOCKS]));
114 return $this->mustache;
121 * The constructor takes two arguments. The first is the page that the renderer
122 * has been created to assist with, and the second is the target.
123 * The target is an additional identifier that can be used to load different
124 * renderers for different options.
126 * @param moodle_page $page the page we are doing output for.
127 * @param string $target one of rendering target constants
129 public function __construct(moodle_page $page, $target) {
130 $this->opencontainers = $page->opencontainers;
132 $this->target = $target;
136 * Renders a template by name with the given context.
138 * The provided data needs to be array/stdClass made up of only simple types.
139 * Simple types are array,stdClass,bool,int,float,string
142 * @param array|stdClass $context Context containing data for the template.
143 * @return string|boolean
145 public function render_from_template($templatename, $context) {
146 static $templatecache = array();
147 $mustache = $this->get_mustache();
149 // Provide 1 random value that will not change within a template
150 // but will be different from template to template. This is useful for
151 // e.g. aria attributes that only work with id attributes and must be
153 $mustache->addHelper('uniqid', new \core\output\mustache_uniqid_helper());
154 if (isset($templatecache[$templatename])) {
155 $template = $templatecache[$templatename];
158 $template = $mustache->loadTemplate($templatename);
159 $templatecache[$templatename] = $template;
160 } catch (Mustache_Exception_UnknownTemplateException $e) {
161 throw new moodle_exception('Unknown template: ' . $templatename);
164 return trim($template->render($context));
169 * Returns rendered widget.
171 * The provided widget needs to be an object that extends the renderable
173 * If will then be rendered by a method based upon the classname for the widget.
174 * For instance a widget of class `crazywidget` will be rendered by a protected
175 * render_crazywidget method of this renderer.
177 * @param renderable $widget instance with renderable interface
180 public function render(renderable $widget) {
181 $classname = get_class($widget);
183 $classname = preg_replace('/^.*\\\/', '', $classname);
184 // Remove _renderable suffixes
185 $classname = preg_replace('/_renderable$/', '', $classname);
187 $rendermethod = 'render_'.$classname;
188 if (method_exists($this, $rendermethod)) {
189 return $this->$rendermethod($widget);
191 throw new coding_exception('Can not render widget, renderer method ('.$rendermethod.') not found.');
195 * Adds a JS action for the element with the provided id.
197 * This method adds a JS event for the provided component action to the page
198 * and then returns the id that the event has been attached to.
199 * If no id has been provided then a new ID is generated by {@link html_writer::random_id()}
201 * @param component_action $action
203 * @return string id of element, either original submitted or random new if not supplied
205 public function add_action_handler(component_action $action, $id = null) {
207 $id = html_writer::random_id($action->event);
209 $this->page->requires->event_handler("#$id", $action->event, $action->jsfunction, $action->jsfunctionargs);
214 * Returns true is output has already started, and false if not.
216 * @return boolean true if the header has been printed.
218 public function has_started() {
219 return $this->page->state >= moodle_page::STATE_IN_BODY;
223 * Given an array or space-separated list of classes, prepares and returns the HTML class attribute value
225 * @param mixed $classes Space-separated string or array of classes
226 * @return string HTML class attribute value
228 public static function prepare_classes($classes) {
229 if (is_array($classes)) {
230 return implode(' ', array_unique($classes));
236 * Return the moodle_url for an image.
238 * The exact image location and extension is determined
239 * automatically by searching for gif|png|jpg|jpeg, please
240 * note there can not be diferent images with the different
241 * extension. The imagename is for historical reasons
242 * a relative path name, it may be changed later for core
243 * images. It is recommended to not use subdirectories
244 * in plugin and theme pix directories.
246 * There are three types of images:
247 * 1/ theme images - stored in theme/mytheme/pix/,
248 * use component 'theme'
249 * 2/ core images - stored in /pix/,
250 * overridden via theme/mytheme/pix_core/
251 * 3/ plugin images - stored in mod/mymodule/pix,
252 * overridden via theme/mytheme/pix_plugins/mod/mymodule/,
253 * example: pix_url('comment', 'mod_glossary')
255 * @param string $imagename the pathname of the image
256 * @param string $component full plugin name (aka component) or 'theme'
259 public function pix_url($imagename, $component = 'moodle') {
260 return $this->page->theme->pix_url($imagename, $component);
266 * Basis for all plugin renderers.
268 * @copyright Petr Skoda (skodak)
269 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
274 class plugin_renderer_base extends renderer_base {
277 * @var renderer_base|core_renderer A reference to the current renderer.
278 * The renderer provided here will be determined by the page but will in 90%
279 * of cases by the {@link core_renderer}
284 * Constructor method, calls the parent constructor
286 * @param moodle_page $page
287 * @param string $target one of rendering target constants
289 public function __construct(moodle_page $page, $target) {
290 if (empty($target) && $page->pagelayout === 'maintenance') {
291 // If the page is using the maintenance layout then we're going to force the target to maintenance.
292 // This way we'll get a special maintenance renderer that is designed to block access to API's that are likely
293 // unavailable for this page layout.
294 $target = RENDERER_TARGET_MAINTENANCE;
296 $this->output = $page->get_renderer('core', null, $target);
297 parent::__construct($page, $target);
301 * Renders the provided widget and returns the HTML to display it.
303 * @param renderable $widget instance with renderable interface
306 public function render(renderable $widget) {
307 $classname = get_class($widget);
309 $classname = preg_replace('/^.*\\\/', '', $classname);
310 // Keep a copy at this point, we may need to look for a deprecated method.
311 $deprecatedmethod = 'render_'.$classname;
312 // Remove _renderable suffixes
313 $classname = preg_replace('/_renderable$/', '', $classname);
315 $rendermethod = 'render_'.$classname;
316 if (method_exists($this, $rendermethod)) {
317 return $this->$rendermethod($widget);
319 if ($rendermethod !== $deprecatedmethod && method_exists($this, $deprecatedmethod)) {
320 // This is exactly where we don't want to be.
321 // If you have arrived here you have a renderable component within your plugin that has the name
322 // blah_renderable, and you have a render method render_blah_renderable on your plugin.
323 // In 2.8 we revamped output, as part of this change we changed slightly how renderables got rendered
324 // and the _renderable suffix now gets removed when looking for a render method.
325 // You need to change your renderers render_blah_renderable to render_blah.
326 // Until you do this it will not be possible for a theme to override the renderer to override your method.
327 // Please do it ASAP.
328 static $debugged = array();
329 if (!isset($debugged[$deprecatedmethod])) {
330 debugging(sprintf('Deprecated call. Please rename your renderables render method from %s to %s.',
331 $deprecatedmethod, $rendermethod), DEBUG_DEVELOPER);
332 $debugged[$deprecatedmethod] = true;
334 return $this->$deprecatedmethod($widget);
336 // pass to core renderer if method not found here
337 return $this->output->render($widget);
341 * Magic method used to pass calls otherwise meant for the standard renderer
342 * to it to ensure we don't go causing unnecessary grief.
344 * @param string $method
345 * @param array $arguments
348 public function __call($method, $arguments) {
349 if (method_exists('renderer_base', $method)) {
350 throw new coding_exception('Protected method called against '.get_class($this).' :: '.$method);
352 if (method_exists($this->output, $method)) {
353 return call_user_func_array(array($this->output, $method), $arguments);
355 throw new coding_exception('Unknown method called against '.get_class($this).' :: '.$method);
362 * The standard implementation of the core_renderer interface.
364 * @copyright 2009 Tim Hunt
365 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
370 class core_renderer extends renderer_base {
372 * Do NOT use, please use <?php echo $OUTPUT->main_content() ?>
373 * in layout files instead.
375 * @var string used in {@link core_renderer::header()}.
377 const MAIN_CONTENT_TOKEN = '[MAIN CONTENT GOES HERE]';
380 * @var string Used to pass information from {@link core_renderer::doctype()} to
381 * {@link core_renderer::standard_head_html()}.
383 protected $contenttype;
386 * @var string Used by {@link core_renderer::redirect_message()} method to communicate
387 * with {@link core_renderer::header()}.
389 protected $metarefreshtag = '';
392 * @var string Unique token for the closing HTML
394 protected $unique_end_html_token;
397 * @var string Unique token for performance information
399 protected $unique_performance_info_token;
402 * @var string Unique token for the main content.
404 protected $unique_main_content_token;
409 * @param moodle_page $page the page we are doing output for.
410 * @param string $target one of rendering target constants
412 public function __construct(moodle_page $page, $target) {
413 $this->opencontainers = $page->opencontainers;
415 $this->target = $target;
417 $this->unique_end_html_token = '%%ENDHTML-'.sesskey().'%%';
418 $this->unique_performance_info_token = '%%PERFORMANCEINFO-'.sesskey().'%%';
419 $this->unique_main_content_token = '[MAIN CONTENT GOES HERE - '.sesskey().']';
423 * Get the DOCTYPE declaration that should be used with this page. Designed to
424 * be called in theme layout.php files.
426 * @return string the DOCTYPE declaration that should be used.
428 public function doctype() {
429 if ($this->page->theme->doctype === 'html5') {
430 $this->contenttype = 'text/html; charset=utf-8';
431 return "<!DOCTYPE html>\n";
433 } else if ($this->page->theme->doctype === 'xhtml5') {
434 $this->contenttype = 'application/xhtml+xml; charset=utf-8';
435 return "<!DOCTYPE html>\n";
439 $this->contenttype = 'text/html; charset=utf-8';
440 return ('<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Strict//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-strict.dtd">' . "\n");
445 * The attributes that should be added to the <html> tag. Designed to
446 * be called in theme layout.php files.
448 * @return string HTML fragment.
450 public function htmlattributes() {
451 $return = get_html_lang(true);
452 if ($this->page->theme->doctype !== 'html5') {
453 $return .= ' xmlns="http://www.w3.org/1999/xhtml"';
459 * The standard tags (meta tags, links to stylesheets and JavaScript, etc.)
460 * that should be included in the <head> tag. Designed to be called in theme
463 * @return string HTML fragment.
465 public function standard_head_html() {
466 global $CFG, $SESSION;
468 // Before we output any content, we need to ensure that certain
469 // page components are set up.
471 // Blocks must be set up early as they may require javascript which
472 // has to be included in the page header before output is created.
473 foreach ($this->page->blocks->get_regions() as $region) {
474 $this->page->blocks->ensure_content_created($region, $this);
478 $output .= '<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />' . "\n";
479 $output .= '<meta name="keywords" content="moodle, ' . $this->page->title . '" />' . "\n";
480 // This is only set by the {@link redirect()} method
481 $output .= $this->metarefreshtag;
483 // Check if a periodic refresh delay has been set and make sure we arn't
484 // already meta refreshing
485 if ($this->metarefreshtag=='' && $this->page->periodicrefreshdelay!==null) {
486 $output .= '<meta http-equiv="refresh" content="'.$this->page->periodicrefreshdelay.';url='.$this->page->url->out().'" />';
489 // flow player embedding support
490 $this->page->requires->js_function_call('M.util.load_flowplayer');
492 // Set up help link popups for all links with the helptooltip class
493 $this->page->requires->js_init_call('M.util.help_popups.setup');
495 // Setup help icon overlays.
496 $this->page->requires->yui_module('moodle-core-popuphelp', 'M.core.init_popuphelp');
497 $this->page->requires->strings_for_js(array(
502 $this->page->requires->js_function_call('setTimeout', array('fix_column_widths()', 20));
504 $focus = $this->page->focuscontrol;
505 if (!empty($focus)) {
506 if (preg_match("#forms\['([a-zA-Z0-9]+)'\].elements\['([a-zA-Z0-9]+)'\]#", $focus, $matches)) {
507 // This is a horrifically bad way to handle focus but it is passed in
508 // through messy formslib::moodleform
509 $this->page->requires->js_function_call('old_onload_focus', array($matches[1], $matches[2]));
510 } else if (strpos($focus, '.')!==false) {
511 // Old style of focus, bad way to do it
512 debugging('This code is using the old style focus event, Please update this code to focus on an element id or the moodleform focus method.', DEBUG_DEVELOPER);
513 $this->page->requires->js_function_call('old_onload_focus', explode('.', $focus, 2));
515 // Focus element with given id
516 $this->page->requires->js_function_call('focuscontrol', array($focus));
520 // Get the theme stylesheet - this has to be always first CSS, this loads also styles.css from all plugins;
521 // any other custom CSS can not be overridden via themes and is highly discouraged
522 $urls = $this->page->theme->css_urls($this->page);
523 foreach ($urls as $url) {
524 $this->page->requires->css_theme($url);
527 // Get the theme javascript head and footer
528 if ($jsurl = $this->page->theme->javascript_url(true)) {
529 $this->page->requires->js($jsurl, true);
531 if ($jsurl = $this->page->theme->javascript_url(false)) {
532 $this->page->requires->js($jsurl);
535 // Get any HTML from the page_requirements_manager.
536 $output .= $this->page->requires->get_head_code($this->page, $this);
538 // List alternate versions.
539 foreach ($this->page->alternateversions as $type => $alt) {
540 $output .= html_writer::empty_tag('link', array('rel' => 'alternate',
541 'type' => $type, 'title' => $alt->title, 'href' => $alt->url));
544 if (!empty($CFG->additionalhtmlhead)) {
545 $output .= "\n".$CFG->additionalhtmlhead;
552 * The standard tags (typically skip links) that should be output just inside
553 * the start of the <body> tag. Designed to be called in theme layout.php files.
555 * @return string HTML fragment.
557 public function standard_top_of_body_html() {
559 $output = $this->page->requires->get_top_of_body_code();
560 if (!empty($CFG->additionalhtmltopofbody)) {
561 $output .= "\n".$CFG->additionalhtmltopofbody;
563 $output .= $this->maintenance_warning();
568 * Scheduled maintenance warning message.
570 * Note: This is a nasty hack to display maintenance notice, this should be moved
571 * to some general notification area once we have it.
575 public function maintenance_warning() {
579 if (isset($CFG->maintenance_later) and $CFG->maintenance_later > time()) {
580 $timeleft = $CFG->maintenance_later - time();
581 // If timeleft less than 30 sec, set the class on block to error to highlight.
582 $errorclass = ($timeleft < 30) ? 'error' : 'warning';
583 $output .= $this->box_start($errorclass . ' moodle-has-zindex maintenancewarning');
585 $a->min = (int)($timeleft/60);
586 $a->sec = (int)($timeleft % 60);
587 $output .= get_string('maintenancemodeisscheduled', 'admin', $a) ;
588 $output .= $this->box_end();
589 $this->page->requires->yui_module('moodle-core-maintenancemodetimer', 'M.core.maintenancemodetimer',
590 array(array('timeleftinsec' => $timeleft)));
591 $this->page->requires->strings_for_js(
592 array('maintenancemodeisscheduled', 'sitemaintenance'),
599 * The standard tags (typically performance information and validation links,
600 * if we are in developer debug mode) that should be output in the footer area
601 * of the page. Designed to be called in theme layout.php files.
603 * @return string HTML fragment.
605 public function standard_footer_html() {
606 global $CFG, $SCRIPT;
608 if (during_initial_install()) {
609 // Debugging info can not work before install is finished,
610 // in any case we do not want any links during installation!
614 // This function is normally called from a layout.php file in {@link core_renderer::header()}
615 // but some of the content won't be known until later, so we return a placeholder
616 // for now. This will be replaced with the real content in {@link core_renderer::footer()}.
617 $output = $this->unique_performance_info_token;
618 if ($this->page->devicetypeinuse == 'legacy') {
619 // The legacy theme is in use print the notification
620 $output .= html_writer::tag('div', get_string('legacythemeinuse'), array('class'=>'legacythemeinuse'));
623 // Get links to switch device types (only shown for users not on a default device)
624 $output .= $this->theme_switch_links();
626 if (!empty($CFG->debugpageinfo)) {
627 $output .= '<div class="performanceinfo pageinfo">This page is: ' . $this->page->debug_summary() . '</div>';
629 if (debugging(null, DEBUG_DEVELOPER) and has_capability('moodle/site:config', context_system::instance())) { // Only in developer mode
630 // Add link to profiling report if necessary
631 if (function_exists('profiling_is_running') && profiling_is_running()) {
632 $txt = get_string('profiledscript', 'admin');
633 $title = get_string('profiledscriptview', 'admin');
634 $url = $CFG->wwwroot . '/admin/tool/profiling/index.php?script=' . urlencode($SCRIPT);
635 $link= '<a title="' . $title . '" href="' . $url . '">' . $txt . '</a>';
636 $output .= '<div class="profilingfooter">' . $link . '</div>';
638 $purgeurl = new moodle_url('/admin/purgecaches.php', array('confirm' => 1,
639 'sesskey' => sesskey(), 'returnurl' => $this->page->url->out_as_local_url(false)));
640 $output .= '<div class="purgecaches">' .
641 html_writer::link($purgeurl, get_string('purgecaches', 'admin')) . '</div>';
643 if (!empty($CFG->debugvalidators)) {
644 // NOTE: this is not a nice hack, $PAGE->url is not always accurate and $FULLME neither, it is not a bug if it fails. --skodak
645 $output .= '<div class="validators"><ul>
646 <li><a href="http://validator.w3.org/check?verbose=1&ss=1&uri=' . urlencode(qualified_me()) . '">Validate HTML</a></li>
647 <li><a href="http://www.contentquality.com/mynewtester/cynthia.exe?rptmode=-1&url1=' . urlencode(qualified_me()) . '">Section 508 Check</a></li>
648 <li><a href="http://www.contentquality.com/mynewtester/cynthia.exe?rptmode=0&warnp2n3e=1&url1=' . urlencode(qualified_me()) . '">WCAG 1 (2,3) Check</a></li>
655 * Returns standard main content placeholder.
656 * Designed to be called in theme layout.php files.
658 * @return string HTML fragment.
660 public function main_content() {
661 // This is here because it is the only place we can inject the "main" role over the entire main content area
662 // without requiring all theme's to manually do it, and without creating yet another thing people need to
663 // remember in the theme.
664 // This is an unfortunate hack. DO NO EVER add anything more here.
665 // DO NOT add classes.
667 return '<div role="main">'.$this->unique_main_content_token.'</div>';
671 * The standard tags (typically script tags that are not needed earlier) that
672 * should be output after everything else. Designed to be called in theme layout.php files.
674 * @return string HTML fragment.
676 public function standard_end_of_body_html() {
679 // This function is normally called from a layout.php file in {@link core_renderer::header()}
680 // but some of the content won't be known until later, so we return a placeholder
681 // for now. This will be replaced with the real content in {@link core_renderer::footer()}.
683 if (!empty($CFG->additionalhtmlfooter)) {
684 $output .= "\n".$CFG->additionalhtmlfooter;
686 $output .= $this->unique_end_html_token;
691 * Return the standard string that says whether you are logged in (and switched
692 * roles/logged in as another user).
693 * @param bool $withlinks if false, then don't include any links in the HTML produced.
694 * If not set, the default is the nologinlinks option from the theme config.php file,
695 * and if that is not set, then links are included.
696 * @return string HTML fragment.
698 public function login_info($withlinks = null) {
699 global $USER, $CFG, $DB, $SESSION;
701 if (during_initial_install()) {
705 if (is_null($withlinks)) {
706 $withlinks = empty($this->page->layout_options['nologinlinks']);
709 $course = $this->page->course;
710 if (\core\session\manager::is_loggedinas()) {
711 $realuser = \core\session\manager::get_realuser();
712 $fullname = fullname($realuser, true);
714 $loginastitle = get_string('loginas');
715 $realuserinfo = " [<a href=\"$CFG->wwwroot/course/loginas.php?id=$course->id&sesskey=".sesskey()."\"";
716 $realuserinfo .= "title =\"".$loginastitle."\">$fullname</a>] ";
718 $realuserinfo = " [$fullname] ";
724 $loginpage = $this->is_login_page();
725 $loginurl = get_login_url();
727 if (empty($course->id)) {
728 // $course->id is not defined during installation
730 } else if (isloggedin()) {
731 $context = context_course::instance($course->id);
733 $fullname = fullname($USER, true);
734 // Since Moodle 2.0 this link always goes to the public profile page (not the course profile page)
736 $linktitle = get_string('viewprofile');
737 $username = "<a href=\"$CFG->wwwroot/user/profile.php?id=$USER->id\" title=\"$linktitle\">$fullname</a>";
739 $username = $fullname;
741 if (is_mnet_remote_user($USER) and $idprovider = $DB->get_record('mnet_host', array('id'=>$USER->mnethostid))) {
743 $username .= " from <a href=\"{$idprovider->wwwroot}\">{$idprovider->name}</a>";
745 $username .= " from {$idprovider->name}";
749 $loggedinas = $realuserinfo.get_string('loggedinasguest');
750 if (!$loginpage && $withlinks) {
751 $loggedinas .= " (<a href=\"$loginurl\">".get_string('login').'</a>)';
753 } else if (is_role_switched($course->id)) { // Has switched roles
755 if ($role = $DB->get_record('role', array('id'=>$USER->access['rsw'][$context->path]))) {
756 $rolename = ': '.role_get_name($role, $context);
758 $loggedinas = get_string('loggedinas', 'moodle', $username).$rolename;
760 $url = new moodle_url('/course/switchrole.php', array('id'=>$course->id,'sesskey'=>sesskey(), 'switchrole'=>0, 'returnurl'=>$this->page->url->out_as_local_url(false)));
761 $loggedinas .= ' ('.html_writer::tag('a', get_string('switchrolereturn'), array('href' => $url)).')';
764 $loggedinas = $realuserinfo.get_string('loggedinas', 'moodle', $username);
766 $loggedinas .= " (<a href=\"$CFG->wwwroot/login/logout.php?sesskey=".sesskey()."\">".get_string('logout').'</a>)';
770 $loggedinas = get_string('loggedinnot', 'moodle');
771 if (!$loginpage && $withlinks) {
772 $loggedinas .= " (<a href=\"$loginurl\">".get_string('login').'</a>)';
776 $loggedinas = '<div class="logininfo">'.$loggedinas.'</div>';
778 if (isset($SESSION->justloggedin)) {
779 unset($SESSION->justloggedin);
780 if (!empty($CFG->displayloginfailures)) {
781 if (!isguestuser()) {
782 // Include this file only when required.
783 require_once($CFG->dirroot . '/user/lib.php');
784 if ($count = user_count_login_failures($USER)) {
785 $loggedinas .= '<div class="loginfailures">';
787 $a->attempts = $count;
788 $loggedinas .= get_string('failedloginattempts', '', $a);
789 if (file_exists("$CFG->dirroot/report/log/index.php") and has_capability('report/log:view', context_system::instance())) {
790 $loggedinas .= ' ('.html_writer::link(new moodle_url('/report/log/index.php', array('chooselog' => 1,
791 'id' => 0 , 'modid' => 'site_errors')), get_string('logs')).')';
793 $loggedinas .= '</div>';
803 * Check whether the current page is a login page.
808 protected function is_login_page() {
809 // This is a real bit of a hack, but its a rarety that we need to do something like this.
810 // In fact the login pages should be only these two pages and as exposing this as an option for all pages
811 // could lead to abuse (or at least unneedingly complex code) the hack is the way to go.
813 $this->page->url->out_as_local_url(false, array()),
816 '/login/forgot_password.php',
822 * Return the 'back' link that normally appears in the footer.
824 * @return string HTML fragment.
826 public function home_link() {
829 if ($this->page->pagetype == 'site-index') {
830 // Special case for site home page - please do not remove
831 return '<div class="sitelink">' .
832 '<a title="Moodle" href="http://moodle.org/">' .
833 '<img src="' . $this->pix_url('moodlelogo') . '" alt="moodlelogo" /></a></div>';
835 } else if (!empty($CFG->target_release) && $CFG->target_release != $CFG->release) {
836 // Special case for during install/upgrade.
837 return '<div class="sitelink">'.
838 '<a title="Moodle" href="http://docs.moodle.org/en/Administrator_documentation" onclick="this.target=\'_blank\'">' .
839 '<img src="' . $this->pix_url('moodlelogo') . '" alt="moodlelogo" /></a></div>';
841 } else if ($this->page->course->id == $SITE->id || strpos($this->page->pagetype, 'course-view') === 0) {
842 return '<div class="homelink"><a href="' . $CFG->wwwroot . '/">' .
843 get_string('home') . '</a></div>';
846 return '<div class="homelink"><a href="' . $CFG->wwwroot . '/course/view.php?id=' . $this->page->course->id . '">' .
847 format_string($this->page->course->shortname, true, array('context' => $this->page->context)) . '</a></div>';
852 * Redirects the user by any means possible given the current state
854 * This function should not be called directly, it should always be called using
855 * the redirect function in lib/weblib.php
857 * The redirect function should really only be called before page output has started
858 * however it will allow itself to be called during the state STATE_IN_BODY
860 * @param string $encodedurl The URL to send to encoded if required
861 * @param string $message The message to display to the user if any
862 * @param int $delay The delay before redirecting a user, if $message has been
863 * set this is a requirement and defaults to 3, set to 0 no delay
864 * @param boolean $debugdisableredirect this redirect has been disabled for
865 * debugging purposes. Display a message that explains, and don't
866 * trigger the redirect.
867 * @return string The HTML to display to the user before dying, may contain
868 * meta refresh, javascript refresh, and may have set header redirects
870 public function redirect_message($encodedurl, $message, $delay, $debugdisableredirect) {
872 $url = str_replace('&', '&', $encodedurl);
874 switch ($this->page->state) {
875 case moodle_page::STATE_BEFORE_HEADER :
876 // No output yet it is safe to delivery the full arsenal of redirect methods
877 if (!$debugdisableredirect) {
878 // Don't use exactly the same time here, it can cause problems when both redirects fire at the same time.
879 $this->metarefreshtag = '<meta http-equiv="refresh" content="'. $delay .'; url='. $encodedurl .'" />'."\n";
880 $this->page->requires->js_function_call('document.location.replace', array($url), false, ($delay + 3));
882 $output = $this->header();
884 case moodle_page::STATE_PRINTING_HEADER :
885 // We should hopefully never get here
886 throw new coding_exception('You cannot redirect while printing the page header');
888 case moodle_page::STATE_IN_BODY :
889 // We really shouldn't be here but we can deal with this
890 debugging("You should really redirect before you start page output");
891 if (!$debugdisableredirect) {
892 $this->page->requires->js_function_call('document.location.replace', array($url), false, $delay);
894 $output = $this->opencontainers->pop_all_but_last();
896 case moodle_page::STATE_DONE :
897 // Too late to be calling redirect now
898 throw new coding_exception('You cannot redirect after the entire page has been generated');
901 $output .= $this->notification($message, 'redirectmessage');
902 $output .= '<div class="continuebutton">(<a href="'. $encodedurl .'">'. get_string('continue') .'</a>)</div>';
903 if ($debugdisableredirect) {
904 $output .= '<p><strong>'.get_string('erroroutput', 'error').'</strong></p>';
906 $output .= $this->footer();
911 * Start output by sending the HTTP headers, and printing the HTML <head>
912 * and the start of the <body>.
914 * To control what is printed, you should set properties on $PAGE. If you
915 * are familiar with the old {@link print_header()} function from Moodle 1.9
916 * you will find that there are properties on $PAGE that correspond to most
917 * of the old parameters to could be passed to print_header.
919 * Not that, in due course, the remaining $navigation, $menu parameters here
920 * will be replaced by more properties of $PAGE, but that is still to do.
922 * @return string HTML that you must output this, preferably immediately.
924 public function header() {
927 if (\core\session\manager::is_loggedinas()) {
928 $this->page->add_body_class('userloggedinas');
931 // If the user is logged in, and we're not in initial install,
932 // check to see if the user is role-switched and add the appropriate
933 // CSS class to the body element.
934 if (!during_initial_install() && isloggedin() && is_role_switched($this->page->course->id)) {
935 $this->page->add_body_class('userswitchedrole');
938 // Give themes a chance to init/alter the page object.
939 $this->page->theme->init_page($this->page);
941 $this->page->set_state(moodle_page::STATE_PRINTING_HEADER);
943 // Find the appropriate page layout file, based on $this->page->pagelayout.
944 $layoutfile = $this->page->theme->layout_file($this->page->pagelayout);
945 // Render the layout using the layout file.
946 $rendered = $this->render_page_layout($layoutfile);
948 // Slice the rendered output into header and footer.
949 $cutpos = strpos($rendered, $this->unique_main_content_token);
950 if ($cutpos === false) {
951 $cutpos = strpos($rendered, self::MAIN_CONTENT_TOKEN);
952 $token = self::MAIN_CONTENT_TOKEN;
954 $token = $this->unique_main_content_token;
957 if ($cutpos === false) {
958 throw new coding_exception('page layout file ' . $layoutfile . ' does not contain the main content placeholder, please include "<?php echo $OUTPUT->main_content() ?>" in theme layout file.');
960 $header = substr($rendered, 0, $cutpos);
961 $footer = substr($rendered, $cutpos + strlen($token));
963 if (empty($this->contenttype)) {
964 debugging('The page layout file did not call $OUTPUT->doctype()');
965 $header = $this->doctype() . $header;
968 // If this theme version is below 2.4 release and this is a course view page
969 if ((!isset($this->page->theme->settings->version) || $this->page->theme->settings->version < 2012101500) &&
970 $this->page->pagelayout === 'course' && $this->page->url->compare(new moodle_url('/course/view.php'), URL_MATCH_BASE)) {
971 // check if course content header/footer have not been output during render of theme layout
972 $coursecontentheader = $this->course_content_header(true);
973 $coursecontentfooter = $this->course_content_footer(true);
974 if (!empty($coursecontentheader)) {
975 // display debug message and add header and footer right above and below main content
976 // Please note that course header and footer (to be displayed above and below the whole page)
977 // are not displayed in this case at all.
978 // Besides the content header and footer are not displayed on any other course page
979 debugging('The current theme is not optimised for 2.4, the course-specific header and footer defined in course format will not be output', DEBUG_DEVELOPER);
980 $header .= $coursecontentheader;
981 $footer = $coursecontentfooter. $footer;
985 send_headers($this->contenttype, $this->page->cacheable);
987 $this->opencontainers->push('header/footer', $footer);
988 $this->page->set_state(moodle_page::STATE_IN_BODY);
990 return $header . $this->skip_link_target('maincontent');
994 * Renders and outputs the page layout file.
996 * This is done by preparing the normal globals available to a script, and
997 * then including the layout file provided by the current theme for the
1000 * @param string $layoutfile The name of the layout file
1001 * @return string HTML code
1003 protected function render_page_layout($layoutfile) {
1004 global $CFG, $SITE, $USER;
1005 // The next lines are a bit tricky. The point is, here we are in a method
1006 // of a renderer class, and this object may, or may not, be the same as
1007 // the global $OUTPUT object. When rendering the page layout file, we want to use
1008 // this object. However, people writing Moodle code expect the current
1009 // renderer to be called $OUTPUT, not $this, so define a variable called
1010 // $OUTPUT pointing at $this. The same comment applies to $PAGE and $COURSE.
1012 $PAGE = $this->page;
1013 $COURSE = $this->page->course;
1016 include($layoutfile);
1017 $rendered = ob_get_contents();
1023 * Outputs the page's footer
1025 * @return string HTML fragment
1027 public function footer() {
1030 $output = $this->container_end_all(true);
1032 $footer = $this->opencontainers->pop('header/footer');
1034 if (debugging() and $DB and $DB->is_transaction_started()) {
1035 // TODO: MDL-20625 print warning - transaction will be rolled back
1038 // Provide some performance info if required
1039 $performanceinfo = '';
1040 if (defined('MDL_PERF') || (!empty($CFG->perfdebug) and $CFG->perfdebug > 7)) {
1041 $perf = get_performance_info();
1042 if (defined('MDL_PERFTOFOOT') || debugging() || $CFG->perfdebug > 7) {
1043 $performanceinfo = $perf['html'];
1047 // We always want performance data when running a performance test, even if the user is redirected to another page.
1048 if (MDL_PERF_TEST && strpos($footer, $this->unique_performance_info_token) === false) {
1049 $footer = $this->unique_performance_info_token . $footer;
1051 $footer = str_replace($this->unique_performance_info_token, $performanceinfo, $footer);
1053 $footer = str_replace($this->unique_end_html_token, $this->page->requires->get_end_code(), $footer);
1055 $this->page->set_state(moodle_page::STATE_DONE);
1057 return $output . $footer;
1061 * Close all but the last open container. This is useful in places like error
1062 * handling, where you want to close all the open containers (apart from <body>)
1063 * before outputting the error message.
1065 * @param bool $shouldbenone assert that the stack should be empty now - causes a
1066 * developer debug warning if it isn't.
1067 * @return string the HTML required to close any open containers inside <body>.
1069 public function container_end_all($shouldbenone = false) {
1070 return $this->opencontainers->pop_all_but_last($shouldbenone);
1074 * Returns course-specific information to be output immediately above content on any course page
1075 * (for the current course)
1077 * @param bool $onlyifnotcalledbefore output content only if it has not been output before
1080 public function course_content_header($onlyifnotcalledbefore = false) {
1082 if ($this->page->course->id == SITEID) {
1083 // return immediately and do not include /course/lib.php if not necessary
1086 static $functioncalled = false;
1087 if ($functioncalled && $onlyifnotcalledbefore) {
1088 // we have already output the content header
1091 require_once($CFG->dirroot.'/course/lib.php');
1092 $functioncalled = true;
1093 $courseformat = course_get_format($this->page->course);
1094 if (($obj = $courseformat->course_content_header()) !== null) {
1095 return html_writer::div($courseformat->get_renderer($this->page)->render($obj), 'course-content-header');
1101 * Returns course-specific information to be output immediately below content on any course page
1102 * (for the current course)
1104 * @param bool $onlyifnotcalledbefore output content only if it has not been output before
1107 public function course_content_footer($onlyifnotcalledbefore = false) {
1109 if ($this->page->course->id == SITEID) {
1110 // return immediately and do not include /course/lib.php if not necessary
1113 static $functioncalled = false;
1114 if ($functioncalled && $onlyifnotcalledbefore) {
1115 // we have already output the content footer
1118 $functioncalled = true;
1119 require_once($CFG->dirroot.'/course/lib.php');
1120 $courseformat = course_get_format($this->page->course);
1121 if (($obj = $courseformat->course_content_footer()) !== null) {
1122 return html_writer::div($courseformat->get_renderer($this->page)->render($obj), 'course-content-footer');
1128 * Returns course-specific information to be output on any course page in the header area
1129 * (for the current course)
1133 public function course_header() {
1135 if ($this->page->course->id == SITEID) {
1136 // return immediately and do not include /course/lib.php if not necessary
1139 require_once($CFG->dirroot.'/course/lib.php');
1140 $courseformat = course_get_format($this->page->course);
1141 if (($obj = $courseformat->course_header()) !== null) {
1142 return $courseformat->get_renderer($this->page)->render($obj);
1148 * Returns course-specific information to be output on any course page in the footer area
1149 * (for the current course)
1153 public function course_footer() {
1155 if ($this->page->course->id == SITEID) {
1156 // return immediately and do not include /course/lib.php if not necessary
1159 require_once($CFG->dirroot.'/course/lib.php');
1160 $courseformat = course_get_format($this->page->course);
1161 if (($obj = $courseformat->course_footer()) !== null) {
1162 return $courseformat->get_renderer($this->page)->render($obj);
1168 * Returns lang menu or '', this method also checks forcing of languages in courses.
1170 * This function calls {@link core_renderer::render_single_select()} to actually display the language menu.
1172 * @return string The lang menu HTML or empty string
1174 public function lang_menu() {
1177 if (empty($CFG->langmenu)) {
1181 if ($this->page->course != SITEID and !empty($this->page->course->lang)) {
1182 // do not show lang menu if language forced
1186 $currlang = current_language();
1187 $langs = get_string_manager()->get_list_of_translations();
1189 if (count($langs) < 2) {
1193 $s = new single_select($this->page->url, 'lang', $langs, $currlang, null);
1194 $s->label = get_accesshide(get_string('language'));
1195 $s->class = 'langmenu';
1196 return $this->render($s);
1200 * Output the row of editing icons for a block, as defined by the controls array.
1202 * @param array $controls an array like {@link block_contents::$controls}.
1203 * @param string $blockid The ID given to the block.
1204 * @return string HTML fragment.
1206 public function block_controls($actions, $blockid = null) {
1208 if (empty($actions)) {
1211 $menu = new action_menu($actions);
1212 if ($blockid !== null) {
1213 $menu->set_owner_selector('#'.$blockid);
1215 $menu->set_constraint('.block-region');
1216 $menu->attributes['class'] .= ' block-control-actions commands';
1217 if (isset($CFG->blockeditingmenu) && !$CFG->blockeditingmenu) {
1218 $menu->do_not_enhance();
1220 return $this->render($menu);
1224 * Renders an action menu component.
1227 * - http://www.w3.org/WAI/GL/wiki/Using_ARIA_menus
1228 * - http://stackoverflow.com/questions/12279113/recommended-wai-aria-implementation-for-navigation-bar-menu
1230 * @param action_menu $menu
1231 * @return string HTML
1233 public function render_action_menu(action_menu $menu) {
1234 $menu->initialise_js($this->page);
1236 $output = html_writer::start_tag('div', $menu->attributes);
1237 $output .= html_writer::start_tag('ul', $menu->attributesprimary);
1238 foreach ($menu->get_primary_actions($this) as $action) {
1239 if ($action instanceof renderable) {
1240 $content = $this->render($action);
1244 $output .= html_writer::tag('li', $content, array('role' => 'presentation'));
1246 $output .= html_writer::end_tag('ul');
1247 $output .= html_writer::start_tag('ul', $menu->attributessecondary);
1248 foreach ($menu->get_secondary_actions() as $action) {
1249 if ($action instanceof renderable) {
1250 $content = $this->render($action);
1254 $output .= html_writer::tag('li', $content, array('role' => 'presentation'));
1256 $output .= html_writer::end_tag('ul');
1257 $output .= html_writer::end_tag('div');
1262 * Renders an action_menu_link item.
1264 * @param action_menu_link $action
1265 * @return string HTML fragment
1267 protected function render_action_menu_link(action_menu_link $action) {
1268 static $actioncount = 0;
1273 if (!$action->icon || $action->primary === false) {
1274 $text .= html_writer::start_tag('span', array('class'=>'menu-action-text', 'id' => 'actionmenuaction-'.$actioncount));
1275 if ($action->text instanceof renderable) {
1276 $text .= $this->render($action->text);
1278 $text .= $action->text;
1279 $comparetoalt = (string)$action->text;
1281 $text .= html_writer::end_tag('span');
1285 if ($action->icon) {
1286 $icon = $action->icon;
1287 if ($action->primary || !$action->actionmenu->will_be_enhanced()) {
1288 $action->attributes['title'] = $action->text;
1290 if (!$action->primary && $action->actionmenu->will_be_enhanced()) {
1291 if ((string)$icon->attributes['alt'] === $comparetoalt) {
1292 $icon->attributes['alt'] = '';
1294 if (isset($icon->attributes['title']) && (string)$icon->attributes['title'] === $comparetoalt) {
1295 unset($icon->attributes['title']);
1298 $icon = $this->render($icon);
1301 // A disabled link is rendered as formatted text.
1302 if (!empty($action->attributes['disabled'])) {
1303 // Do not use div here due to nesting restriction in xhtml strict.
1304 return html_writer::tag('span', $icon.$text, array('class'=>'currentlink', 'role' => 'menuitem'));
1307 $attributes = $action->attributes;
1308 unset($action->attributes['disabled']);
1309 $attributes['href'] = $action->url;
1311 $attributes['aria-labelledby'] = 'actionmenuaction-'.$actioncount;
1314 return html_writer::tag('a', $icon.$text, $attributes);
1318 * Renders a primary action_menu_filler item.
1320 * @param action_menu_link_filler $action
1321 * @return string HTML fragment
1323 protected function render_action_menu_filler(action_menu_filler $action) {
1324 return html_writer::span(' ', 'filler');
1328 * Renders a primary action_menu_link item.
1330 * @param action_menu_link_primary $action
1331 * @return string HTML fragment
1333 protected function render_action_menu_link_primary(action_menu_link_primary $action) {
1334 return $this->render_action_menu_link($action);
1338 * Renders a secondary action_menu_link item.
1340 * @param action_menu_link_secondary $action
1341 * @return string HTML fragment
1343 protected function render_action_menu_link_secondary(action_menu_link_secondary $action) {
1344 return $this->render_action_menu_link($action);
1348 * Prints a nice side block with an optional header.
1350 * The content is described
1351 * by a {@link core_renderer::block_contents} object.
1353 * <div id="inst{$instanceid}" class="block_{$blockname} block">
1354 * <div class="header"></div>
1355 * <div class="content">
1357 * <div class="footer">
1360 * <div class="annotation">
1364 * @param block_contents $bc HTML for the content
1365 * @param string $region the region the block is appearing in.
1366 * @return string the HTML to be output.
1368 public function block(block_contents $bc, $region) {
1369 $bc = clone($bc); // Avoid messing up the object passed in.
1370 if (empty($bc->blockinstanceid) || !strip_tags($bc->title)) {
1371 $bc->collapsible = block_contents::NOT_HIDEABLE;
1373 if (!empty($bc->blockinstanceid)) {
1374 $bc->attributes['data-instanceid'] = $bc->blockinstanceid;
1376 $skiptitle = strip_tags($bc->title);
1377 if ($bc->blockinstanceid && !empty($skiptitle)) {
1378 $bc->attributes['aria-labelledby'] = 'instance-'.$bc->blockinstanceid.'-header';
1379 } else if (!empty($bc->arialabel)) {
1380 $bc->attributes['aria-label'] = $bc->arialabel;
1382 if ($bc->dockable) {
1383 $bc->attributes['data-dockable'] = 1;
1385 if ($bc->collapsible == block_contents::HIDDEN) {
1386 $bc->add_class('hidden');
1388 if (!empty($bc->controls)) {
1389 $bc->add_class('block_with_controls');
1393 if (empty($skiptitle)) {
1397 $output = html_writer::tag('a', get_string('skipa', 'access', $skiptitle), array('href' => '#sb-' . $bc->skipid, 'class' => 'skip-block'));
1398 $skipdest = html_writer::tag('span', '', array('id' => 'sb-' . $bc->skipid, 'class' => 'skip-block-to'));
1401 $output .= html_writer::start_tag('div', $bc->attributes);
1403 $output .= $this->block_header($bc);
1404 $output .= $this->block_content($bc);
1406 $output .= html_writer::end_tag('div');
1408 $output .= $this->block_annotation($bc);
1410 $output .= $skipdest;
1412 $this->init_block_hider_js($bc);
1417 * Produces a header for a block
1419 * @param block_contents $bc
1422 protected function block_header(block_contents $bc) {
1426 $attributes = array();
1427 if ($bc->blockinstanceid) {
1428 $attributes['id'] = 'instance-'.$bc->blockinstanceid.'-header';
1430 $title = html_writer::tag('h2', $bc->title, $attributes);
1434 if (isset($bc->attributes['id'])) {
1435 $blockid = $bc->attributes['id'];
1437 $controlshtml = $this->block_controls($bc->controls, $blockid);
1440 if ($title || $controlshtml) {
1441 $output .= html_writer::tag('div', html_writer::tag('div', html_writer::tag('div', '', array('class'=>'block_action')). $title . $controlshtml, array('class' => 'title')), array('class' => 'header'));
1447 * Produces the content area for a block
1449 * @param block_contents $bc
1452 protected function block_content(block_contents $bc) {
1453 $output = html_writer::start_tag('div', array('class' => 'content'));
1454 if (!$bc->title && !$this->block_controls($bc->controls)) {
1455 $output .= html_writer::tag('div', '', array('class'=>'block_action notitle'));
1457 $output .= $bc->content;
1458 $output .= $this->block_footer($bc);
1459 $output .= html_writer::end_tag('div');
1465 * Produces the footer for a block
1467 * @param block_contents $bc
1470 protected function block_footer(block_contents $bc) {
1473 $output .= html_writer::tag('div', $bc->footer, array('class' => 'footer'));
1479 * Produces the annotation for a block
1481 * @param block_contents $bc
1484 protected function block_annotation(block_contents $bc) {
1486 if ($bc->annotation) {
1487 $output .= html_writer::tag('div', $bc->annotation, array('class' => 'blockannotation'));
1493 * Calls the JS require function to hide a block.
1495 * @param block_contents $bc A block_contents object
1497 protected function init_block_hider_js(block_contents $bc) {
1498 if (!empty($bc->attributes['id']) and $bc->collapsible != block_contents::NOT_HIDEABLE) {
1499 $config = new stdClass;
1500 $config->id = $bc->attributes['id'];
1501 $config->title = strip_tags($bc->title);
1502 $config->preference = 'block' . $bc->blockinstanceid . 'hidden';
1503 $config->tooltipVisible = get_string('hideblocka', 'access', $config->title);
1504 $config->tooltipHidden = get_string('showblocka', 'access', $config->title);
1506 $this->page->requires->js_init_call('M.util.init_block_hider', array($config));
1507 user_preference_allow_ajax_update($config->preference, PARAM_BOOL);
1512 * Render the contents of a block_list.
1514 * @param array $icons the icon for each item.
1515 * @param array $items the content of each item.
1516 * @return string HTML
1518 public function list_block_contents($icons, $items) {
1521 foreach ($items as $key => $string) {
1522 $item = html_writer::start_tag('li', array('class' => 'r' . $row));
1523 if (!empty($icons[$key])) { //test if the content has an assigned icon
1524 $item .= html_writer::tag('div', $icons[$key], array('class' => 'icon column c0'));
1526 $item .= html_writer::tag('div', $string, array('class' => 'column c1'));
1527 $item .= html_writer::end_tag('li');
1529 $row = 1 - $row; // Flip even/odd.
1531 return html_writer::tag('ul', implode("\n", $lis), array('class' => 'unlist'));
1535 * Output all the blocks in a particular region.
1537 * @param string $region the name of a region on this page.
1538 * @return string the HTML to be output.
1540 public function blocks_for_region($region) {
1541 $blockcontents = $this->page->blocks->get_content_for_region($region, $this);
1542 $blocks = $this->page->blocks->get_blocks_for_region($region);
1545 foreach ($blocks as $block) {
1546 $zones[] = $block->title;
1550 foreach ($blockcontents as $bc) {
1551 if ($bc instanceof block_contents) {
1552 $output .= $this->block($bc, $region);
1553 $lastblock = $bc->title;
1554 } else if ($bc instanceof block_move_target) {
1555 $output .= $this->block_move_target($bc, $zones, $lastblock, $region);
1557 throw new coding_exception('Unexpected type of thing (' . get_class($bc) . ') found in list of block contents.');
1564 * Output a place where the block that is currently being moved can be dropped.
1566 * @param block_move_target $target with the necessary details.
1567 * @param array $zones array of areas where the block can be moved to
1568 * @param string $previous the block located before the area currently being rendered.
1569 * @param string $region the name of the region
1570 * @return string the HTML to be output.
1572 public function block_move_target($target, $zones, $previous, $region) {
1573 if ($previous == null) {
1574 if (empty($zones)) {
1575 // There are no zones, probably because there are no blocks.
1576 $regions = $this->page->theme->get_all_block_regions();
1577 $position = get_string('moveblockinregion', 'block', $regions[$region]);
1579 $position = get_string('moveblockbefore', 'block', $zones[0]);
1582 $position = get_string('moveblockafter', 'block', $previous);
1584 return html_writer::tag('a', html_writer::tag('span', $position, array('class' => 'accesshide')), array('href' => $target->url, 'class' => 'blockmovetarget'));
1588 * Renders a special html link with attached action
1590 * Theme developers: DO NOT OVERRIDE! Please override function
1591 * {@link core_renderer::render_action_link()} instead.
1593 * @param string|moodle_url $url
1594 * @param string $text HTML fragment
1595 * @param component_action $action
1596 * @param array $attributes associative array of html link attributes + disabled
1597 * @param pix_icon optional pix icon to render with the link
1598 * @return string HTML fragment
1600 public function action_link($url, $text, component_action $action = null, array $attributes = null, $icon = null) {
1601 if (!($url instanceof moodle_url)) {
1602 $url = new moodle_url($url);
1604 $link = new action_link($url, $text, $action, $attributes, $icon);
1606 return $this->render($link);
1610 * Renders an action_link object.
1612 * The provided link is renderer and the HTML returned. At the same time the
1613 * associated actions are setup in JS by {@link core_renderer::add_action_handler()}
1615 * @param action_link $link
1616 * @return string HTML fragment
1618 protected function render_action_link(action_link $link) {
1623 $text .= $this->render($link->icon);
1626 if ($link->text instanceof renderable) {
1627 $text .= $this->render($link->text);
1629 $text .= $link->text;
1632 // A disabled link is rendered as formatted text
1633 if (!empty($link->attributes['disabled'])) {
1634 // do not use div here due to nesting restriction in xhtml strict
1635 return html_writer::tag('span', $text, array('class'=>'currentlink'));
1638 $attributes = $link->attributes;
1639 unset($link->attributes['disabled']);
1640 $attributes['href'] = $link->url;
1642 if ($link->actions) {
1643 if (empty($attributes['id'])) {
1644 $id = html_writer::random_id('action_link');
1645 $attributes['id'] = $id;
1647 $id = $attributes['id'];
1649 foreach ($link->actions as $action) {
1650 $this->add_action_handler($action, $id);
1654 return html_writer::tag('a', $text, $attributes);
1659 * Renders an action_icon.
1661 * This function uses the {@link core_renderer::action_link()} method for the
1662 * most part. What it does different is prepare the icon as HTML and use it
1665 * Theme developers: If you want to change how action links and/or icons are rendered,
1666 * consider overriding function {@link core_renderer::render_action_link()} and
1667 * {@link core_renderer::render_pix_icon()}.
1669 * @param string|moodle_url $url A string URL or moodel_url
1670 * @param pix_icon $pixicon
1671 * @param component_action $action
1672 * @param array $attributes associative array of html link attributes + disabled
1673 * @param bool $linktext show title next to image in link
1674 * @return string HTML fragment
1676 public function action_icon($url, pix_icon $pixicon, component_action $action = null, array $attributes = null, $linktext=false) {
1677 if (!($url instanceof moodle_url)) {
1678 $url = new moodle_url($url);
1680 $attributes = (array)$attributes;
1682 if (empty($attributes['class'])) {
1683 // let ppl override the class via $options
1684 $attributes['class'] = 'action-icon';
1687 $icon = $this->render($pixicon);
1690 $text = $pixicon->attributes['alt'];
1695 return $this->action_link($url, $text.$icon, $action, $attributes);
1699 * Print a message along with button choices for Continue/Cancel
1701 * If a string or moodle_url is given instead of a single_button, method defaults to post.
1703 * @param string $message The question to ask the user
1704 * @param single_button|moodle_url|string $continue The single_button component representing the Continue answer. Can also be a moodle_url or string URL
1705 * @param single_button|moodle_url|string $cancel The single_button component representing the Cancel answer. Can also be a moodle_url or string URL
1706 * @return string HTML fragment
1708 public function confirm($message, $continue, $cancel) {
1709 if ($continue instanceof single_button) {
1711 } else if (is_string($continue)) {
1712 $continue = new single_button(new moodle_url($continue), get_string('continue'), 'post');
1713 } else if ($continue instanceof moodle_url) {
1714 $continue = new single_button($continue, get_string('continue'), 'post');
1716 throw new coding_exception('The continue param to $OUTPUT->confirm() must be either a URL (string/moodle_url) or a single_button instance.');
1719 if ($cancel instanceof single_button) {
1721 } else if (is_string($cancel)) {
1722 $cancel = new single_button(new moodle_url($cancel), get_string('cancel'), 'get');
1723 } else if ($cancel instanceof moodle_url) {
1724 $cancel = new single_button($cancel, get_string('cancel'), 'get');
1726 throw new coding_exception('The cancel param to $OUTPUT->confirm() must be either a URL (string/moodle_url) or a single_button instance.');
1729 $output = $this->box_start('generalbox', 'notice');
1730 $output .= html_writer::tag('p', $message);
1731 $output .= html_writer::tag('div', $this->render($continue) . $this->render($cancel), array('class' => 'buttons'));
1732 $output .= $this->box_end();
1737 * Returns a form with a single button.
1739 * Theme developers: DO NOT OVERRIDE! Please override function
1740 * {@link core_renderer::render_single_button()} instead.
1742 * @param string|moodle_url $url
1743 * @param string $label button text
1744 * @param string $method get or post submit method
1745 * @param array $options associative array {disabled, title, etc.}
1746 * @return string HTML fragment
1748 public function single_button($url, $label, $method='post', array $options=null) {
1749 if (!($url instanceof moodle_url)) {
1750 $url = new moodle_url($url);
1752 $button = new single_button($url, $label, $method);
1754 foreach ((array)$options as $key=>$value) {
1755 if (array_key_exists($key, $button)) {
1756 $button->$key = $value;
1760 return $this->render($button);
1764 * Renders a single button widget.
1766 * This will return HTML to display a form containing a single button.
1768 * @param single_button $button
1769 * @return string HTML fragment
1771 protected function render_single_button(single_button $button) {
1772 $attributes = array('type' => 'submit',
1773 'value' => $button->label,
1774 'disabled' => $button->disabled ? 'disabled' : null,
1775 'title' => $button->tooltip);
1777 if ($button->actions) {
1778 $id = html_writer::random_id('single_button');
1779 $attributes['id'] = $id;
1780 foreach ($button->actions as $action) {
1781 $this->add_action_handler($action, $id);
1785 // first the input element
1786 $output = html_writer::empty_tag('input', $attributes);
1788 // then hidden fields
1789 $params = $button->url->params();
1790 if ($button->method === 'post') {
1791 $params['sesskey'] = sesskey();
1793 foreach ($params as $var => $val) {
1794 $output .= html_writer::empty_tag('input', array('type' => 'hidden', 'name' => $var, 'value' => $val));
1797 // then div wrapper for xhtml strictness
1798 $output = html_writer::tag('div', $output);
1800 // now the form itself around it
1801 if ($button->method === 'get') {
1802 $url = $button->url->out_omit_querystring(true); // url without params, the anchor part allowed
1804 $url = $button->url->out_omit_querystring(); // url without params, the anchor part not allowed
1807 $url = '#'; // there has to be always some action
1809 $attributes = array('method' => $button->method,
1811 'id' => $button->formid);
1812 $output = html_writer::tag('form', $output, $attributes);
1814 // and finally one more wrapper with class
1815 return html_writer::tag('div', $output, array('class' => $button->class));
1819 * Returns a form with a single select widget.
1821 * Theme developers: DO NOT OVERRIDE! Please override function
1822 * {@link core_renderer::render_single_select()} instead.
1824 * @param moodle_url $url form action target, includes hidden fields
1825 * @param string $name name of selection field - the changing parameter in url
1826 * @param array $options list of options
1827 * @param string $selected selected element
1828 * @param array $nothing
1829 * @param string $formid
1830 * @param array $attributes other attributes for the single select
1831 * @return string HTML fragment
1833 public function single_select($url, $name, array $options, $selected = '',
1834 $nothing = array('' => 'choosedots'), $formid = null, $attributes = array()) {
1835 if (!($url instanceof moodle_url)) {
1836 $url = new moodle_url($url);
1838 $select = new single_select($url, $name, $options, $selected, $nothing, $formid);
1840 if (array_key_exists('label', $attributes)) {
1841 $select->set_label($attributes['label']);
1842 unset($attributes['label']);
1844 $select->attributes = $attributes;
1846 return $this->render($select);
1850 * Internal implementation of single_select rendering
1852 * @param single_select $select
1853 * @return string HTML fragment
1855 protected function render_single_select(single_select $select) {
1856 $select = clone($select);
1857 if (empty($select->formid)) {
1858 $select->formid = html_writer::random_id('single_select_f');
1862 $params = $select->url->params();
1863 if ($select->method === 'post') {
1864 $params['sesskey'] = sesskey();
1866 foreach ($params as $name=>$value) {
1867 $output .= html_writer::empty_tag('input', array('type'=>'hidden', 'name'=>$name, 'value'=>$value));
1870 if (empty($select->attributes['id'])) {
1871 $select->attributes['id'] = html_writer::random_id('single_select');
1874 if ($select->disabled) {
1875 $select->attributes['disabled'] = 'disabled';
1878 if ($select->tooltip) {
1879 $select->attributes['title'] = $select->tooltip;
1882 $select->attributes['class'] = 'autosubmit';
1883 if ($select->class) {
1884 $select->attributes['class'] .= ' ' . $select->class;
1887 if ($select->label) {
1888 $output .= html_writer::label($select->label, $select->attributes['id'], false, $select->labelattributes);
1891 if ($select->helpicon instanceof help_icon) {
1892 $output .= $this->render($select->helpicon);
1894 $output .= html_writer::select($select->options, $select->name, $select->selected, $select->nothing, $select->attributes);
1896 $go = html_writer::empty_tag('input', array('type'=>'submit', 'value'=>get_string('go')));
1897 $output .= html_writer::tag('noscript', html_writer::tag('div', $go), array('class' => 'inline'));
1899 $nothing = empty($select->nothing) ? false : key($select->nothing);
1900 $this->page->requires->yui_module('moodle-core-formautosubmit',
1901 'M.core.init_formautosubmit',
1902 array(array('selectid' => $select->attributes['id'], 'nothing' => $nothing))
1905 // then div wrapper for xhtml strictness
1906 $output = html_writer::tag('div', $output);
1908 // now the form itself around it
1909 if ($select->method === 'get') {
1910 $url = $select->url->out_omit_querystring(true); // url without params, the anchor part allowed
1912 $url = $select->url->out_omit_querystring(); // url without params, the anchor part not allowed
1914 $formattributes = array('method' => $select->method,
1916 'id' => $select->formid);
1917 $output = html_writer::tag('form', $output, $formattributes);
1919 // and finally one more wrapper with class
1920 return html_writer::tag('div', $output, array('class' => $select->class));
1924 * Returns a form with a url select widget.
1926 * Theme developers: DO NOT OVERRIDE! Please override function
1927 * {@link core_renderer::render_url_select()} instead.
1929 * @param array $urls list of urls - array('/course/view.php?id=1'=>'Frontpage', ....)
1930 * @param string $selected selected element
1931 * @param array $nothing
1932 * @param string $formid
1933 * @return string HTML fragment
1935 public function url_select(array $urls, $selected, $nothing = array('' => 'choosedots'), $formid = null) {
1936 $select = new url_select($urls, $selected, $nothing, $formid);
1937 return $this->render($select);
1941 * Internal implementation of url_select rendering
1943 * @param url_select $select
1944 * @return string HTML fragment
1946 protected function render_url_select(url_select $select) {
1949 $select = clone($select);
1950 if (empty($select->formid)) {
1951 $select->formid = html_writer::random_id('url_select_f');
1954 if (empty($select->attributes['id'])) {
1955 $select->attributes['id'] = html_writer::random_id('url_select');
1958 if ($select->disabled) {
1959 $select->attributes['disabled'] = 'disabled';
1962 if ($select->tooltip) {
1963 $select->attributes['title'] = $select->tooltip;
1968 if ($select->label) {
1969 $output .= html_writer::label($select->label, $select->attributes['id'], false, $select->labelattributes);
1973 if (!$select->showbutton) {
1974 $classes[] = 'autosubmit';
1976 if ($select->class) {
1977 $classes[] = $select->class;
1979 if (count($classes)) {
1980 $select->attributes['class'] = implode(' ', $classes);
1983 if ($select->helpicon instanceof help_icon) {
1984 $output .= $this->render($select->helpicon);
1987 // For security reasons, the script course/jumpto.php requires URL starting with '/'. To keep
1988 // backward compatibility, we are removing heading $CFG->wwwroot from URLs here.
1990 foreach ($select->urls as $k=>$v) {
1992 // optgroup structure
1993 foreach ($v as $optgrouptitle => $optgroupoptions) {
1994 foreach ($optgroupoptions as $optionurl => $optiontitle) {
1995 if (empty($optionurl)) {
1996 $safeoptionurl = '';
1997 } else if (strpos($optionurl, $CFG->wwwroot.'/') === 0) {
1998 // debugging('URLs passed to url_select should be in local relative form - please fix the code.', DEBUG_DEVELOPER);
1999 $safeoptionurl = str_replace($CFG->wwwroot, '', $optionurl);
2000 } else if (strpos($optionurl, '/') !== 0) {
2001 debugging("Invalid url_select urls parameter inside optgroup: url '$optionurl' is not local relative url!");
2004 $safeoptionurl = $optionurl;
2006 $urls[$k][$optgrouptitle][$safeoptionurl] = $optiontitle;
2010 // plain list structure
2012 // nothing selected option
2013 } else if (strpos($k, $CFG->wwwroot.'/') === 0) {
2014 $k = str_replace($CFG->wwwroot, '', $k);
2015 } else if (strpos($k, '/') !== 0) {
2016 debugging("Invalid url_select urls parameter: url '$k' is not local relative url!");
2022 $selected = $select->selected;
2023 if (!empty($selected)) {
2024 if (strpos($select->selected, $CFG->wwwroot.'/') === 0) {
2025 $selected = str_replace($CFG->wwwroot, '', $selected);
2026 } else if (strpos($selected, '/') !== 0) {
2027 debugging("Invalid value of parameter 'selected': url '$selected' is not local relative url!");
2031 $output .= html_writer::empty_tag('input', array('type'=>'hidden', 'name'=>'sesskey', 'value'=>sesskey()));
2032 $output .= html_writer::select($urls, 'jump', $selected, $select->nothing, $select->attributes);
2034 if (!$select->showbutton) {
2035 $go = html_writer::empty_tag('input', array('type'=>'submit', 'value'=>get_string('go')));
2036 $output .= html_writer::tag('noscript', html_writer::tag('div', $go), array('class' => 'inline'));
2037 $nothing = empty($select->nothing) ? false : key($select->nothing);
2038 $this->page->requires->yui_module('moodle-core-formautosubmit',
2039 'M.core.init_formautosubmit',
2040 array(array('selectid' => $select->attributes['id'], 'nothing' => $nothing))
2043 $output .= html_writer::empty_tag('input', array('type'=>'submit', 'value'=>$select->showbutton));
2046 // then div wrapper for xhtml strictness
2047 $output = html_writer::tag('div', $output);
2049 // now the form itself around it
2050 $formattributes = array('method' => 'post',
2051 'action' => new moodle_url('/course/jumpto.php'),
2052 'id' => $select->formid);
2053 $output = html_writer::tag('form', $output, $formattributes);
2055 // and finally one more wrapper with class
2056 return html_writer::tag('div', $output, array('class' => $select->class));
2060 * Returns a string containing a link to the user documentation.
2061 * Also contains an icon by default. Shown to teachers and admin only.
2063 * @param string $path The page link after doc root and language, no leading slash.
2064 * @param string $text The text to be displayed for the link
2065 * @param boolean $forcepopup Whether to force a popup regardless of the value of $CFG->doctonewwindow
2068 public function doc_link($path, $text = '', $forcepopup = false) {
2071 $icon = $this->pix_icon('docs', '', 'moodle', array('class'=>'iconhelp icon-pre', 'role'=>'presentation'));
2073 $url = new moodle_url(get_docs_url($path));
2075 $attributes = array('href'=>$url);
2076 if (!empty($CFG->doctonewwindow) || $forcepopup) {
2077 $attributes['class'] = 'helplinkpopup';
2080 return html_writer::tag('a', $icon.$text, $attributes);
2084 * Return HTML for a pix_icon.
2086 * Theme developers: DO NOT OVERRIDE! Please override function
2087 * {@link core_renderer::render_pix_icon()} instead.
2089 * @param string $pix short pix name
2090 * @param string $alt mandatory alt attribute
2091 * @param string $component standard compoennt name like 'moodle', 'mod_forum', etc.
2092 * @param array $attributes htm lattributes
2093 * @return string HTML fragment
2095 public function pix_icon($pix, $alt, $component='moodle', array $attributes = null) {
2096 $icon = new pix_icon($pix, $alt, $component, $attributes);
2097 return $this->render($icon);
2101 * Renders a pix_icon widget and returns the HTML to display it.
2103 * @param pix_icon $icon
2104 * @return string HTML fragment
2106 protected function render_pix_icon(pix_icon $icon) {
2107 $data = $icon->export_for_template($this);
2108 return $this->render_from_template('core/pix_icon', $data);
2112 * Return HTML to display an emoticon icon.
2114 * @param pix_emoticon $emoticon
2115 * @return string HTML fragment
2117 protected function render_pix_emoticon(pix_emoticon $emoticon) {
2118 $attributes = $emoticon->attributes;
2119 $attributes['src'] = $this->pix_url($emoticon->pix, $emoticon->component);
2120 return html_writer::empty_tag('img', $attributes);
2124 * Produces the html that represents this rating in the UI
2126 * @param rating $rating the page object on which this rating will appear
2129 function render_rating(rating $rating) {
2132 if ($rating->settings->aggregationmethod == RATING_AGGREGATE_NONE) {
2133 return null;//ratings are turned off
2136 $ratingmanager = new rating_manager();
2137 // Initialise the JavaScript so ratings can be done by AJAX.
2138 $ratingmanager->initialise_rating_javascript($this->page);
2140 $strrate = get_string("rate", "rating");
2141 $ratinghtml = ''; //the string we'll return
2143 // permissions check - can they view the aggregate?
2144 if ($rating->user_can_view_aggregate()) {
2146 $aggregatelabel = $ratingmanager->get_aggregate_label($rating->settings->aggregationmethod);
2147 $aggregatestr = $rating->get_aggregate_string();
2149 $aggregatehtml = html_writer::tag('span', $aggregatestr, array('id' => 'ratingaggregate'.$rating->itemid, 'class' => 'ratingaggregate')).' ';
2150 if ($rating->count > 0) {
2151 $countstr = "({$rating->count})";
2155 $aggregatehtml .= html_writer::tag('span', $countstr, array('id'=>"ratingcount{$rating->itemid}", 'class' => 'ratingcount')).' ';
2157 $ratinghtml .= html_writer::tag('span', $aggregatelabel, array('class'=>'rating-aggregate-label'));
2158 if ($rating->settings->permissions->viewall && $rating->settings->pluginpermissions->viewall) {
2160 $nonpopuplink = $rating->get_view_ratings_url();
2161 $popuplink = $rating->get_view_ratings_url(true);
2163 $action = new popup_action('click', $popuplink, 'ratings', array('height' => 400, 'width' => 600));
2164 $ratinghtml .= $this->action_link($nonpopuplink, $aggregatehtml, $action);
2166 $ratinghtml .= $aggregatehtml;
2171 // if the item doesn't belong to the current user, the user has permission to rate
2172 // and we're within the assessable period
2173 if ($rating->user_can_rate()) {
2175 $rateurl = $rating->get_rate_url();
2176 $inputs = $rateurl->params();
2178 //start the rating form
2180 'id' => "postrating{$rating->itemid}",
2181 'class' => 'postratingform',
2183 'action' => $rateurl->out_omit_querystring()
2185 $formstart = html_writer::start_tag('form', $formattrs);
2186 $formstart .= html_writer::start_tag('div', array('class' => 'ratingform'));
2188 // add the hidden inputs
2189 foreach ($inputs as $name => $value) {
2190 $attributes = array('type' => 'hidden', 'class' => 'ratinginput', 'name' => $name, 'value' => $value);
2191 $formstart .= html_writer::empty_tag('input', $attributes);
2194 if (empty($ratinghtml)) {
2195 $ratinghtml .= $strrate.': ';
2197 $ratinghtml = $formstart.$ratinghtml;
2199 $scalearray = array(RATING_UNSET_RATING => $strrate.'...') + $rating->settings->scale->scaleitems;
2200 $scaleattrs = array('class'=>'postratingmenu ratinginput','id'=>'menurating'.$rating->itemid);
2201 $ratinghtml .= html_writer::label($rating->rating, 'menurating'.$rating->itemid, false, array('class' => 'accesshide'));
2202 $ratinghtml .= html_writer::select($scalearray, 'rating', $rating->rating, false, $scaleattrs);
2204 //output submit button
2205 $ratinghtml .= html_writer::start_tag('span', array('class'=>"ratingsubmit"));
2207 $attributes = array('type' => 'submit', 'class' => 'postratingmenusubmit', 'id' => 'postratingsubmit'.$rating->itemid, 'value' => s(get_string('rate', 'rating')));
2208 $ratinghtml .= html_writer::empty_tag('input', $attributes);
2210 if (!$rating->settings->scale->isnumeric) {
2211 // If a global scale, try to find current course ID from the context
2212 if (empty($rating->settings->scale->courseid) and $coursecontext = $rating->context->get_course_context(false)) {
2213 $courseid = $coursecontext->instanceid;
2215 $courseid = $rating->settings->scale->courseid;
2217 $ratinghtml .= $this->help_icon_scale($courseid, $rating->settings->scale);
2219 $ratinghtml .= html_writer::end_tag('span');
2220 $ratinghtml .= html_writer::end_tag('div');
2221 $ratinghtml .= html_writer::end_tag('form');
2228 * Centered heading with attached help button (same title text)
2229 * and optional icon attached.
2231 * @param string $text A heading text
2232 * @param string $helpidentifier The keyword that defines a help page
2233 * @param string $component component name
2234 * @param string|moodle_url $icon
2235 * @param string $iconalt icon alt text
2236 * @param int $level The level of importance of the heading. Defaulting to 2
2237 * @param string $classnames A space-separated list of CSS classes. Defaulting to null
2238 * @return string HTML fragment
2240 public function heading_with_help($text, $helpidentifier, $component = 'moodle', $icon = '', $iconalt = '', $level = 2, $classnames = null) {
2243 $image = $this->pix_icon($icon, $iconalt, $component, array('class'=>'icon iconlarge'));
2247 if ($helpidentifier) {
2248 $help = $this->help_icon($helpidentifier, $component);
2251 return $this->heading($image.$text.$help, $level, $classnames);
2255 * Returns HTML to display a help icon.
2257 * @deprecated since Moodle 2.0
2259 public function old_help_icon($helpidentifier, $title, $component = 'moodle', $linktext = '') {
2260 throw new coding_exception('old_help_icon() can not be used any more, please see help_icon().');
2264 * Returns HTML to display a help icon.
2266 * Theme developers: DO NOT OVERRIDE! Please override function
2267 * {@link core_renderer::render_help_icon()} instead.
2269 * @param string $identifier The keyword that defines a help page
2270 * @param string $component component name
2271 * @param string|bool $linktext true means use $title as link text, string means link text value
2272 * @return string HTML fragment
2274 public function help_icon($identifier, $component = 'moodle', $linktext = '') {
2275 $icon = new help_icon($identifier, $component);
2276 $icon->diag_strings();
2277 if ($linktext === true) {
2278 $icon->linktext = get_string($icon->identifier, $icon->component);
2279 } else if (!empty($linktext)) {
2280 $icon->linktext = $linktext;
2282 return $this->render($icon);
2286 * Implementation of user image rendering.
2288 * @param help_icon $helpicon A help icon instance
2289 * @return string HTML fragment
2291 protected function render_help_icon(help_icon $helpicon) {
2294 // first get the help image icon
2295 $src = $this->pix_url('help');
2297 $title = get_string($helpicon->identifier, $helpicon->component);
2299 if (empty($helpicon->linktext)) {
2300 $alt = get_string('helpprefix2', '', trim($title, ". \t"));
2302 $alt = get_string('helpwiththis');
2305 $attributes = array('src'=>$src, 'alt'=>$alt, 'class'=>'iconhelp');
2306 $output = html_writer::empty_tag('img', $attributes);
2308 // add the link text if given
2309 if (!empty($helpicon->linktext)) {
2310 // the spacing has to be done through CSS
2311 $output .= $helpicon->linktext;
2314 // now create the link around it - we need https on loginhttps pages
2315 $url = new moodle_url($CFG->httpswwwroot.'/help.php', array('component' => $helpicon->component, 'identifier' => $helpicon->identifier, 'lang'=>current_language()));
2317 // note: this title is displayed only if JS is disabled, otherwise the link will have the new ajax tooltip
2318 $title = get_string('helpprefix2', '', trim($title, ". \t"));
2320 $attributes = array('href' => $url, 'title' => $title, 'aria-haspopup' => 'true', 'target'=>'_blank');
2321 $output = html_writer::tag('a', $output, $attributes);
2324 return html_writer::tag('span', $output, array('class' => 'helptooltip'));
2328 * Returns HTML to display a scale help icon.
2330 * @param int $courseid
2331 * @param stdClass $scale instance
2332 * @return string HTML fragment
2334 public function help_icon_scale($courseid, stdClass $scale) {
2337 $title = get_string('helpprefix2', '', $scale->name) .' ('.get_string('newwindow').')';
2339 $icon = $this->pix_icon('help', get_string('scales'), 'moodle', array('class'=>'iconhelp'));
2341 $scaleid = abs($scale->id);
2343 $link = new moodle_url('/course/scales.php', array('id' => $courseid, 'list' => true, 'scaleid' => $scaleid));
2344 $action = new popup_action('click', $link, 'ratingscale');
2346 return html_writer::tag('span', $this->action_link($link, $icon, $action), array('class' => 'helplink'));
2350 * Creates and returns a spacer image with optional line break.
2352 * @param array $attributes Any HTML attributes to add to the spaced.
2353 * @param bool $br Include a BR after the spacer.... DON'T USE THIS. Don't be
2354 * laxy do it with CSS which is a much better solution.
2355 * @return string HTML fragment
2357 public function spacer(array $attributes = null, $br = false) {
2358 $attributes = (array)$attributes;
2359 if (empty($attributes['width'])) {
2360 $attributes['width'] = 1;
2362 if (empty($attributes['height'])) {
2363 $attributes['height'] = 1;
2365 $attributes['class'] = 'spacer';
2367 $output = $this->pix_icon('spacer', '', 'moodle', $attributes);
2370 $output .= '<br />';
2377 * Returns HTML to display the specified user's avatar.
2379 * User avatar may be obtained in two ways:
2381 * // Option 1: (shortcut for simple cases, preferred way)
2382 * // $user has come from the DB and has fields id, picture, imagealt, firstname and lastname
2383 * $OUTPUT->user_picture($user, array('popup'=>true));
2386 * $userpic = new user_picture($user);
2387 * // Set properties of $userpic
2388 * $userpic->popup = true;
2389 * $OUTPUT->render($userpic);
2392 * Theme developers: DO NOT OVERRIDE! Please override function
2393 * {@link core_renderer::render_user_picture()} instead.
2395 * @param stdClass $user Object with at least fields id, picture, imagealt, firstname, lastname
2396 * If any of these are missing, the database is queried. Avoid this
2397 * if at all possible, particularly for reports. It is very bad for performance.
2398 * @param array $options associative array with user picture options, used only if not a user_picture object,
2400 * - courseid=$this->page->course->id (course id of user profile in link)
2401 * - size=35 (size of image)
2402 * - link=true (make image clickable - the link leads to user profile)
2403 * - popup=false (open in popup)
2404 * - alttext=true (add image alt attribute)
2405 * - class = image class attribute (default 'userpicture')
2406 * - visibletoscreenreaders=true (whether to be visible to screen readers)
2407 * @return string HTML fragment
2409 public function user_picture(stdClass $user, array $options = null) {
2410 $userpicture = new user_picture($user);
2411 foreach ((array)$options as $key=>$value) {
2412 if (array_key_exists($key, $userpicture)) {
2413 $userpicture->$key = $value;
2416 return $this->render($userpicture);
2420 * Internal implementation of user image rendering.
2422 * @param user_picture $userpicture
2425 protected function render_user_picture(user_picture $userpicture) {
2428 $user = $userpicture->user;
2430 if ($userpicture->alttext) {
2431 if (!empty($user->imagealt)) {
2432 $alt = $user->imagealt;
2434 $alt = get_string('pictureof', '', fullname($user));
2440 if (empty($userpicture->size)) {
2442 } else if ($userpicture->size === true or $userpicture->size == 1) {
2445 $size = $userpicture->size;
2448 $class = $userpicture->class;
2450 if ($user->picture == 0) {
2451 $class .= ' defaultuserpic';
2454 $src = $userpicture->get_url($this->page, $this);
2456 $attributes = array('src'=>$src, 'alt'=>$alt, 'title'=>$alt, 'class'=>$class, 'width'=>$size, 'height'=>$size);
2457 if (!$userpicture->visibletoscreenreaders) {
2458 $attributes['role'] = 'presentation';
2461 // get the image html output fisrt
2462 $output = html_writer::empty_tag('img', $attributes);
2464 // then wrap it in link if needed
2465 if (!$userpicture->link) {
2469 if (empty($userpicture->courseid)) {
2470 $courseid = $this->page->course->id;
2472 $courseid = $userpicture->courseid;
2475 if ($courseid == SITEID) {
2476 $url = new moodle_url('/user/profile.php', array('id' => $user->id));
2478 $url = new moodle_url('/user/view.php', array('id' => $user->id, 'course' => $courseid));
2481 $attributes = array('href'=>$url);
2482 if (!$userpicture->visibletoscreenreaders) {
2483 $attributes['tabindex'] = '-1';
2484 $attributes['aria-hidden'] = 'true';
2487 if ($userpicture->popup) {
2488 $id = html_writer::random_id('userpicture');
2489 $attributes['id'] = $id;
2490 $this->add_action_handler(new popup_action('click', $url), $id);
2493 return html_writer::tag('a', $output, $attributes);
2497 * Internal implementation of file tree viewer items rendering.
2502 public function htmllize_file_tree($dir) {
2503 if (empty($dir['subdirs']) and empty($dir['files'])) {
2507 foreach ($dir['subdirs'] as $subdir) {
2508 $result .= '<li>'.s($subdir['dirname']).' '.$this->htmllize_file_tree($subdir).'</li>';
2510 foreach ($dir['files'] as $file) {
2511 $filename = $file->get_filename();
2512 $result .= '<li><span>'.html_writer::link($file->fileurl, $filename).'</span></li>';
2520 * Returns HTML to display the file picker
2523 * $OUTPUT->file_picker($options);
2526 * Theme developers: DO NOT OVERRIDE! Please override function
2527 * {@link core_renderer::render_file_picker()} instead.
2529 * @param array $options associative array with file manager options
2533 * client_id=>uniqid(),
2534 * acepted_types=>'*',
2535 * return_types=>FILE_INTERNAL,
2536 * context=>$PAGE->context
2537 * @return string HTML fragment
2539 public function file_picker($options) {
2540 $fp = new file_picker($options);
2541 return $this->render($fp);
2545 * Internal implementation of file picker rendering.
2547 * @param file_picker $fp
2550 public function render_file_picker(file_picker $fp) {
2551 global $CFG, $OUTPUT, $USER;
2552 $options = $fp->options;
2553 $client_id = $options->client_id;
2554 $strsaved = get_string('filesaved', 'repository');
2555 $straddfile = get_string('openpicker', 'repository');
2556 $strloading = get_string('loading', 'repository');
2557 $strdndenabled = get_string('dndenabled_inbox', 'moodle');
2558 $strdroptoupload = get_string('droptoupload', 'moodle');
2559 $icon_progress = $OUTPUT->pix_icon('i/loading_small', $strloading).'';
2561 $currentfile = $options->currentfile;
2562 if (empty($currentfile)) {
2565 $currentfile .= ' - ';
2567 if ($options->maxbytes) {
2568 $size = $options->maxbytes;
2570 $size = get_max_upload_file_size();
2575 $maxsize = get_string('maxfilesize', 'moodle', display_size($size));
2577 if ($options->buttonname) {
2578 $buttonname = ' name="' . $options->buttonname . '"';
2583 <div class="filemanager-loading mdl-align" id='filepicker-loading-{$client_id}'>
2586 <div id="filepicker-wrapper-{$client_id}" class="mdl-left" style="display:none">
2588 <input type="button" class="fp-btn-choose" id="filepicker-button-{$client_id}" value="{$straddfile}"{$buttonname}/>
2589 <span> $maxsize </span>
2592 if ($options->env != 'url') {
2594 <div id="file_info_{$client_id}" class="mdl-left filepicker-filelist" style="position: relative">
2595 <div class="filepicker-filename">
2596 <div class="filepicker-container">$currentfile<div class="dndupload-message">$strdndenabled <br/><div class="dndupload-arrow"></div></div></div>
2597 <div class="dndupload-progressbars"></div>
2599 <div><div class="dndupload-target">{$strdroptoupload}<br/><div class="dndupload-arrow"></div></div></div>
2608 * Returns HTML to display the 'Update this Modulename' button that appears on module pages.
2610 * @param string $cmid the course_module id.
2611 * @param string $modulename the module name, eg. "forum", "quiz" or "workshop"
2612 * @return string the HTML for the button, if this user has permission to edit it, else an empty string.
2614 public function update_module_button($cmid, $modulename) {
2616 if (has_capability('moodle/course:manageactivities', context_module::instance($cmid))) {
2617 $modulename = get_string('modulename', $modulename);
2618 $string = get_string('updatethis', '', $modulename);
2619 $url = new moodle_url("$CFG->wwwroot/course/mod.php", array('update' => $cmid, 'return' => true, 'sesskey' => sesskey()));
2620 return $this->single_button($url, $string);
2627 * Returns HTML to display a "Turn editing on/off" button in a form.
2629 * @param moodle_url $url The URL + params to send through when clicking the button
2630 * @return string HTML the button
2632 public function edit_button(moodle_url $url) {
2634 $url->param('sesskey', sesskey());
2635 if ($this->page->user_is_editing()) {
2636 $url->param('edit', 'off');
2637 $editstring = get_string('turneditingoff');
2639 $url->param('edit', 'on');
2640 $editstring = get_string('turneditingon');
2643 return $this->single_button($url, $editstring);
2647 * Returns HTML to display a simple button to close a window
2649 * @param string $text The lang string for the button's label (already output from get_string())
2650 * @return string html fragment
2652 public function close_window_button($text='') {
2654 $text = get_string('closewindow');
2656 $button = new single_button(new moodle_url('#'), $text, 'get');
2657 $button->add_action(new component_action('click', 'close_window'));
2659 return $this->container($this->render($button), 'closewindow');
2663 * Output an error message. By default wraps the error message in <span class="error">.
2664 * If the error message is blank, nothing is output.
2666 * @param string $message the error message.
2667 * @return string the HTML to output.
2669 public function error_text($message) {
2670 if (empty($message)) {
2673 $message = $this->pix_icon('i/warning', get_string('error'), '', array('class' => 'icon icon-pre', 'title'=>'')) . $message;
2674 return html_writer::tag('span', $message, array('class' => 'error'));
2678 * Do not call this function directly.
2680 * To terminate the current script with a fatal error, call the {@link print_error}
2681 * function, or throw an exception. Doing either of those things will then call this
2682 * function to display the error, before terminating the execution.
2684 * @param string $message The message to output
2685 * @param string $moreinfourl URL where more info can be found about the error
2686 * @param string $link Link for the Continue button
2687 * @param array $backtrace The execution backtrace
2688 * @param string $debuginfo Debugging information
2689 * @return string the HTML to output.
2691 public function fatal_error($message, $moreinfourl, $link, $backtrace, $debuginfo = null) {
2697 if ($this->has_started()) {
2698 // we can not always recover properly here, we have problems with output buffering,
2699 // html tables, etc.
2700 $output .= $this->opencontainers->pop_all_but_last();
2703 // It is really bad if library code throws exception when output buffering is on,
2704 // because the buffered text would be printed before our start of page.
2705 // NOTE: this hack might be behave unexpectedly in case output buffering is enabled in PHP.ini
2706 error_reporting(0); // disable notices from gzip compression, etc.
2707 while (ob_get_level() > 0) {
2708 $buff = ob_get_clean();
2709 if ($buff === false) {
2714 error_reporting($CFG->debug);
2716 // Output not yet started.
2717 $protocol = (isset($_SERVER['SERVER_PROTOCOL']) ? $_SERVER['SERVER_PROTOCOL'] : 'HTTP/1.0');
2718 if (empty($_SERVER['HTTP_RANGE'])) {
2719 @header($protocol . ' 404 Not Found');
2721 // Must stop byteserving attempts somehow,
2722 // this is weird but Chrome PDF viewer can be stopped only with 407!
2723 @header($protocol . ' 407 Proxy Authentication Required');
2726 $this->page->set_context(null); // ugly hack - make sure page context is set to something, we do not want bogus warnings here
2727 $this->page->set_url('/'); // no url
2728 //$this->page->set_pagelayout('base'); //TODO: MDL-20676 blocks on error pages are weird, unfortunately it somehow detect the pagelayout from URL :-(
2729 $this->page->set_title(get_string('error'));
2730 $this->page->set_heading($this->page->course->fullname);
2731 $output .= $this->header();
2734 $message = '<p class="errormessage">' . $message . '</p>'.
2735 '<p class="errorcode"><a href="' . $moreinfourl . '">' .
2736 get_string('moreinformation') . '</a></p>';
2737 if (empty($CFG->rolesactive)) {
2738 $message .= '<p class="errormessage">' . get_string('installproblem', 'error') . '</p>';
2739 //It is usually not possible to recover from errors triggered during installation, you may need to create a new database or use a different database prefix for new installation.
2741 $output .= $this->box($message, 'errorbox', null, array('data-rel' => 'fatalerror'));
2743 if ($CFG->debugdeveloper) {
2744 if (!empty($debuginfo)) {
2745 $debuginfo = s($debuginfo); // removes all nasty JS
2746 $debuginfo = str_replace("\n", '<br />', $debuginfo); // keep newlines
2747 $output .= $this->notification('<strong>Debug info:</strong> '.$debuginfo, 'notifytiny');
2749 if (!empty($backtrace)) {
2750 $output .= $this->notification('<strong>Stack trace:</strong> '.format_backtrace($backtrace), 'notifytiny');
2752 if ($obbuffer !== '' ) {
2753 $output .= $this->notification('<strong>Output buffer:</strong> '.s($obbuffer), 'notifytiny');
2757 if (empty($CFG->rolesactive)) {
2758 // continue does not make much sense if moodle is not installed yet because error is most probably not recoverable
2759 } else if (!empty($link)) {
2760 $output .= $this->continue_button($link);
2763 $output .= $this->footer();
2765 // Padding to encourage IE to display our error page, rather than its own.
2766 $output .= str_repeat(' ', 512);
2772 * Output a notification (that is, a status message about something that has
2775 * @param string $message the message to print out
2776 * @param string $classes normally 'notifyproblem' or 'notifysuccess'.
2777 * @return string the HTML to output.
2779 public function notification($message, $classes = 'notifyproblem') {
2781 $classmappings = array(
2782 'notifyproblem' => \core\output\notification::NOTIFY_PROBLEM,
2783 'notifytiny' => \core\output\notification::NOTIFY_PROBLEM,
2784 'notifysuccess' => \core\output\notification::NOTIFY_SUCCESS,
2785 'notifymessage' => \core\output\notification::NOTIFY_MESSAGE,
2786 'redirectmessage' => \core\output\notification::NOTIFY_REDIRECT
2789 // Identify what type of notification this is.
2790 $type = \core\output\notification::NOTIFY_PROBLEM;
2791 $classarray = explode(' ', self::prepare_classes($classes));
2792 if (count($classarray) > 0) {
2793 foreach ($classarray as $class) {
2794 if (isset($classmappings[$class])) {
2795 $type = $classmappings[$class];
2801 $n = new \core\output\notification($message, $type);
2802 return $this->render($n);
2807 * Output a notification at a particular level - in this case, NOTIFY_PROBLEM.
2809 * @param string $message the message to print out
2810 * @return string HTML fragment.
2812 public function notify_problem($message) {
2813 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_PROBLEM);
2814 return $this->render($n);
2818 * Output a notification at a particular level - in this case, NOTIFY_SUCCESS.
2820 * @param string $message the message to print out
2821 * @return string HTML fragment.
2823 public function notify_success($message) {
2824 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_SUCCESS);
2825 return $this->render($n);
2829 * Output a notification at a particular level - in this case, NOTIFY_MESSAGE.
2831 * @param string $message the message to print out
2832 * @return string HTML fragment.
2834 public function notify_message($message) {
2835 $n = new notification($message, notification::NOTIFY_MESSAGE);
2836 return $this->render($n);
2840 * Output a notification at a particular level - in this case, NOTIFY_REDIRECT.
2842 * @param string $message the message to print out
2843 * @return string HTML fragment.
2845 public function notify_redirect($message) {
2846 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_REDIRECT);
2847 return $this->render($n);
2851 * Render a notification (that is, a status message about something that has
2854 * @param \core\output\notification $notification the notification to print out
2855 * @return string the HTML to output.
2857 protected function render_notification(\core\output\notification $notification) {
2859 $data = $notification->export_for_template($this);
2862 switch($data->type) {
2863 case \core\output\notification::NOTIFY_MESSAGE:
2864 $templatename = 'core/notification_message';
2866 case \core\output\notification::NOTIFY_SUCCESS:
2867 $templatename = 'core/notification_success';
2869 case \core\output\notification::NOTIFY_PROBLEM:
2870 $templatename = 'core/notification_problem';
2872 case \core\output\notification::NOTIFY_REDIRECT:
2873 $templatename = 'core/notification_redirect';
2876 $templatename = 'core/notification_message';
2880 return self::render_from_template($templatename, $data);
2885 * Returns HTML to display a continue button that goes to a particular URL.
2887 * @param string|moodle_url $url The url the button goes to.
2888 * @return string the HTML to output.
2890 public function continue_button($url) {
2891 if (!($url instanceof moodle_url)) {
2892 $url = new moodle_url($url);
2894 $button = new single_button($url, get_string('continue'), 'get');
2895 $button->class = 'continuebutton';
2897 return $this->render($button);
2901 * Returns HTML to display a single paging bar to provide access to other pages (usually in a search)
2903 * Theme developers: DO NOT OVERRIDE! Please override function
2904 * {@link core_renderer::render_paging_bar()} instead.
2906 * @param int $totalcount The total number of entries available to be paged through
2907 * @param int $page The page you are currently viewing
2908 * @param int $perpage The number of entries that should be shown per page
2909 * @param string|moodle_url $baseurl url of the current page, the $pagevar parameter is added
2910 * @param string $pagevar name of page parameter that holds the page number
2911 * @return string the HTML to output.
2913 public function paging_bar($totalcount, $page, $perpage, $baseurl, $pagevar = 'page') {
2914 $pb = new paging_bar($totalcount, $page, $perpage, $baseurl, $pagevar);
2915 return $this->render($pb);
2919 * Internal implementation of paging bar rendering.
2921 * @param paging_bar $pagingbar
2924 protected function render_paging_bar(paging_bar $pagingbar) {
2926 $pagingbar = clone($pagingbar);
2927 $pagingbar->prepare($this, $this->page, $this->target);
2929 if ($pagingbar->totalcount > $pagingbar->perpage) {
2930 $output .= get_string('page') . ':';
2932 if (!empty($pagingbar->previouslink)) {
2933 $output .= ' (' . $pagingbar->previouslink . ') ';
2936 if (!empty($pagingbar->firstlink)) {
2937 $output .= ' ' . $pagingbar->firstlink . ' ...';
2940 foreach ($pagingbar->pagelinks as $link) {
2941 $output .= " $link";
2944 if (!empty($pagingbar->lastlink)) {
2945 $output .= ' ...' . $pagingbar->lastlink . ' ';
2948 if (!empty($pagingbar->nextlink)) {
2949 $output .= ' (' . $pagingbar->nextlink . ')';
2953 return html_writer::tag('div', $output, array('class' => 'paging'));
2957 * Output the place a skip link goes to.
2959 * @param string $id The target name from the corresponding $PAGE->requires->skip_link_to($target) call.
2960 * @return string the HTML to output.
2962 public function skip_link_target($id = null) {
2963 return html_writer::tag('span', '', array('id' => $id));
2969 * @param string $text The text of the heading
2970 * @param int $level The level of importance of the heading. Defaulting to 2
2971 * @param string $classes A space-separated list of CSS classes. Defaulting to null
2972 * @param string $id An optional ID
2973 * @return string the HTML to output.
2975 public function heading($text, $level = 2, $classes = null, $id = null) {
2976 $level = (integer) $level;
2977 if ($level < 1 or $level > 6) {
2978 throw new coding_exception('Heading level must be an integer between 1 and 6.');
2980 return html_writer::tag('h' . $level, $text, array('id' => $id, 'class' => renderer_base::prepare_classes($classes)));
2986 * @param string $contents The contents of the box
2987 * @param string $classes A space-separated list of CSS classes
2988 * @param string $id An optional ID
2989 * @param array $attributes An array of other attributes to give the box.
2990 * @return string the HTML to output.
2992 public function box($contents, $classes = 'generalbox', $id = null, $attributes = array()) {
2993 return $this->box_start($classes, $id, $attributes) . $contents . $this->box_end();
2997 * Outputs the opening section of a box.
2999 * @param string $classes A space-separated list of CSS classes
3000 * @param string $id An optional ID
3001 * @param array $attributes An array of other attributes to give the box.
3002 * @return string the HTML to output.
3004 public function box_start($classes = 'generalbox', $id = null, $attributes = array()) {
3005 $this->opencontainers->push('box', html_writer::end_tag('div'));
3006 $attributes['id'] = $id;
3007 $attributes['class'] = 'box ' . renderer_base::prepare_classes($classes);
3008 return html_writer::start_tag('div', $attributes);
3012 * Outputs the closing section of a box.
3014 * @return string the HTML to output.
3016 public function box_end() {
3017 return $this->opencontainers->pop('box');
3021 * Outputs a container.
3023 * @param string $contents The contents of the box
3024 * @param string $classes A space-separated list of CSS classes
3025 * @param string $id An optional ID
3026 * @return string the HTML to output.
3028 public function container($contents, $classes = null, $id = null) {
3029 return $this->container_start($classes, $id) . $contents . $this->container_end();
3033 * Outputs the opening section of a container.
3035 * @param string $classes A space-separated list of CSS classes
3036 * @param string $id An optional ID
3037 * @return string the HTML to output.
3039 public function container_start($classes = null, $id = null) {
3040 $this->opencontainers->push('container', html_writer::end_tag('div'));
3041 return html_writer::start_tag('div', array('id' => $id,
3042 'class' => renderer_base::prepare_classes($classes)));
3046 * Outputs the closing section of a container.
3048 * @return string the HTML to output.
3050 public function container_end() {
3051 return $this->opencontainers->pop('container');
3055 * Make nested HTML lists out of the items
3057 * The resulting list will look something like this:
3061 * <<li>><div class='tree_item parent'>(item contents)</div>
3063 * <<li>><div class='tree_item'>(item contents)</div><</li>>
3069 * @param array $items
3070 * @param array $attrs html attributes passed to the top ofs the list
3071 * @return string HTML
3073 public function tree_block_contents($items, $attrs = array()) {
3074 // exit if empty, we don't want an empty ul element
3075 if (empty($items)) {
3078 // array of nested li elements
3080 foreach ($items as $item) {
3081 // this applies to the li item which contains all child lists too
3082 $content = $item->content($this);
3083 $liclasses = array($item->get_css_type());
3084 if (!$item->forceopen || (!$item->forceopen && $item->collapse) || ($item->children->count()==0 && $item->nodetype==navigation_node::NODETYPE_BRANCH)) {
3085 $liclasses[] = 'collapsed';
3087 if ($item->isactive === true) {
3088 $liclasses[] = 'current_branch';
3090 $liattr = array('class'=>join(' ',$liclasses));
3091 // class attribute on the div item which only contains the item content
3092 $divclasses = array('tree_item');
3093 if ($item->children->count()>0 || $item->nodetype==navigation_node::NODETYPE_BRANCH) {
3094 $divclasses[] = 'branch';
3096 $divclasses[] = 'leaf';
3098 if (!empty($item->classes) && count($item->classes)>0) {
3099 $divclasses[] = join(' ', $item->classes);
3101 $divattr = array('class'=>join(' ', $divclasses));
3102 if (!empty($item->id)) {
3103 $divattr['id'] = $item->id;
3105 $content = html_writer::tag('p', $content, $divattr) . $this->tree_block_contents($item->children);
3106 if (!empty($item->preceedwithhr) && $item->preceedwithhr===true) {
3107 $content = html_writer::empty_tag('hr') . $content;
3109 $content = html_writer::tag('li', $content, $liattr);
3112 return html_writer::tag('ul', implode("\n", $lis), $attrs);
3116 * Construct a user menu, returning HTML that can be echoed out by a
3119 * @param stdClass $user A user object, usually $USER.
3120 * @param bool $withlinks true if a dropdown should be built.
3121 * @return string HTML fragment.
3123 public function user_menu($user = null, $withlinks = null) {
3125 require_once($CFG->dirroot . '/user/lib.php');
3127 if (is_null($user)) {
3131 // Note: this behaviour is intended to match that of core_renderer::login_info,
3132 // but should not be considered to be good practice; layout options are
3133 // intended to be theme-specific. Please don't copy this snippet anywhere else.
3134 if (is_null($withlinks)) {
3135 $withlinks = empty($this->page->layout_options['nologinlinks']);
3138 // Add a class for when $withlinks is false.
3139 $usermenuclasses = 'usermenu';
3141 $usermenuclasses .= ' withoutlinks';
3146 // If during initial install, return the empty return string.
3147 if (during_initial_install()) {
3151 $loginpage = $this->is_login_page();
3152 $loginurl = get_login_url();
3153 // If not logged in, show the typical not-logged-in string.
3154 if (!isloggedin()) {
3155 $returnstr = get_string('loggedinnot', 'moodle');
3157 $returnstr .= " (<a href=\"$loginurl\">" . get_string('login') . '</a>)';
3159 return html_writer::div(
3169 // If logged in as a guest user, show a string to that effect.
3170 if (isguestuser()) {
3171 $returnstr = get_string('loggedinasguest');
3172 if (!$loginpage && $withlinks) {
3173 $returnstr .= " (<a href=\"$loginurl\">".get_string('login').'</a>)';
3176 return html_writer::div(
3185 // Get some navigation opts.
3186 $opts = user_get_user_navigation_info($user, $this->page);
3188 $avatarclasses = "avatars";
3189 $avatarcontents = html_writer::span($opts->metadata['useravatar'], 'avatar current');
3190 $usertextcontents = $opts->metadata['userfullname'];
3193 if (!empty($opts->metadata['asotheruser'])) {
3194 $avatarcontents .= html_writer::span(
3195 $opts->metadata['realuseravatar'],
3198 $usertextcontents = $opts->metadata['realuserfullname'];
3199 $usertextcontents .= html_writer::tag(
3205 $opts->metadata['userfullname'],
3209 array('class' => 'meta viewingas')
3214 if (!empty($opts->metadata['asotherrole'])) {
3215 $role = core_text::strtolower(preg_replace('#[ ]+#', '-', trim($opts->metadata['rolename'])));
3216 $usertextcontents .= html_writer::span(
3217 $opts->metadata['rolename'],
3218 'meta role role-' . $role
3222 // User login failures.
3223 if (!empty($opts->metadata['userloginfail'])) {
3224 $usertextcontents .= html_writer::span(
3225 $opts->metadata['userloginfail'],
3226 'meta loginfailures'
3231 if (!empty($opts->metadata['asmnetuser'])) {
3232 $mnet = strtolower(preg_replace('#[ ]+#', '-', trim($opts->metadata['mnetidprovidername'])));
3233 $usertextcontents .= html_writer::span(
3234 $opts->metadata['mnetidprovidername'],
3235 'meta mnet mnet-' . $mnet
3239 $returnstr .= html_writer::span(
3240 html_writer::span($usertextcontents, 'usertext') .
3241 html_writer::span($avatarcontents, $avatarclasses),
3245 // Create a divider (well, a filler).
3246 $divider = new action_menu_filler();
3247 $divider->primary = false;
3249 $am = new action_menu();
3250 $am->initialise_js($this->page);
3251 $am->set_menu_trigger(
3254 $am->set_alignment(action_menu::TR, action_menu::BR);
3255 $am->set_nowrap_on_items();
3257 $navitemcount = count($opts->navitems);
3259 foreach ($opts->navitems as $key => $value) {
3261 switch ($value->itemtype) {
3263 // If the nav item is a divider, add one and skip link processing.
3268 // Silently skip invalid entries (should we post a notification?).
3272 // Process this as a link item.
3274 if (isset($value->pix) && !empty($value->pix)) {
3275 $pix = new pix_icon($value->pix, $value->title, null, array('class' => 'iconsmall'));
3276 } else if (isset($value->imgsrc) && !empty($value->imgsrc)) {
3277 $value->title = html_writer::img(
3280 array('class' => 'iconsmall')
3283 $al = new action_menu_link_secondary(
3287 array('class' => 'icon')
3295 // Add dividers after the first item and before the last item.
3296 if ($idx == 1 || $idx == $navitemcount - 1) {
3302 return html_writer::div(
3309 * Return the navbar content so that it can be echoed out by the layout
3311 * @return string XHTML navbar
3313 public function navbar() {
3314 $items = $this->page->navbar->get_items();
3315 $itemcount = count($items);
3316 if ($itemcount === 0) {
3320 $htmlblocks = array();
3321 // Iterate the navarray and display each node
3322 $separator = get_separator();
3323 for ($i=0;$i < $itemcount;$i++) {
3325 $item->hideicon = true;
3327 $content = html_writer::tag('li', $this->render($item));
3329 $content = html_writer::tag('li', $separator.$this->render($item));
3331 $htmlblocks[] = $content;
3334 //accessibility: heading for navbar list (MDL-20446)
3335 $navbarcontent = html_writer::tag('span', get_string('pagepath'), array('class'=>'accesshide'));
3336 $navbarcontent .= html_writer::tag('nav', html_writer::tag('ul', join('', $htmlblocks)));
3338 return $navbarcontent;
3342 * Renders a navigation node object.
3344 * @param navigation_node $item The navigation node to render.
3345 * @return string HTML fragment
3347 protected function render_navigation_node(navigation_node $item) {
3348 $content = $item->get_content();
3349 $title = $item->get_title();
3350 if ($item->icon instanceof renderable && !$item->hideicon) {
3351 $icon = $this->render($item->icon);
3352 $content = $icon.$content; // use CSS for spacing of icons
3354 if ($item->helpbutton !== null) {
3355 $content = trim($item->helpbutton).html_writer::tag('span', $content, array('class'=>'clearhelpbutton', 'tabindex'=>'0'));
3357 if ($content === '') {
3360 if ($item->action instanceof action_link) {
3361 $link = $item->action;
3362 if ($item->hidden) {
3363 $link->add_class('dimmed');
3365 if (!empty($content)) {
3366 // Providing there is content we will use that for the link content.
3367 $link->text = $content;
3369 $content = $this->render($link);
3370 } else if ($item->action instanceof moodle_url) {
3371 $attributes = array();
3372 if ($title !== '') {
3373 $attributes['title'] = $title;
3375 if ($item->hidden) {
3376 $attributes['class'] = 'dimmed_text';
3378 $content = html_writer::link($item->action, $content, $attributes);
3380 } else if (is_string($item->action) || empty($item->action)) {
3381 $attributes = array('tabindex'=>'0'); //add tab support to span but still maintain character stream sequence.
3382 if ($title !== '') {
3383 $attributes['title'] = $title;