Merge branch 'MDL-52573-30' of git://github.com/danpoltawski/moodle into MOODLE_30_STABLE
[moodle.git] / lib / outputrenderers.php
blob99f4cb2fbfac8dec8ebb75fbe828bc6223a61c60
1 <?php
2 // This file is part of Moodle - http://moodle.org/
3 //
4 // Moodle is free software: you can redistribute it and/or modify
5 // it under the terms of the GNU General Public License as published by
6 // the Free Software Foundation, either version 3 of the License, or
7 // (at your option) any later version.
8 //
9 // Moodle is distributed in the hope that it will be useful,
10 // but WITHOUT ANY WARRANTY; without even the implied warranty of
11 // MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
12 // GNU General Public License for more details.
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/>.
17 /**
18 * Classes for rendering HTML output for Moodle.
20 * Please see {@link http://docs.moodle.org/en/Developement:How_Moodle_outputs_HTML}
21 * for an overview.
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
30 * plugin renderers.
32 * @package core
33 * @category output
34 * @copyright 2009 Tim Hunt
35 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
38 defined('MOODLE_INTERNAL') || die();
40 /**
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
49 * @since Moodle 2.0
50 * @package core
51 * @category output
53 class renderer_base {
54 /**
55 * @var xhtml_container_stack The xhtml_container_stack to use.
57 protected $opencontainers;
59 /**
60 * @var moodle_page The Moodle page the renderer has been created to assist with.
62 protected $page;
64 /**
65 * @var string The requested rendering target.
67 protected $target;
69 /**
70 * @var Mustache_Engine $mustache The mustache template compiler
72 private $mustache;
74 /**
75 * Return an instance of the mustache class.
77 * @since 2.9
78 * @return Mustache_Engine
80 protected function get_mustache() {
81 global $CFG;
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,
107 'escape' => 's',
108 'loader' => $loader,
109 'helpers' => $helpers,
110 'pragmas' => [Mustache_Engine::PRAGMA_BLOCKS]));
114 return $this->mustache;
119 * Constructor
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;
131 $this->page = $page;
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
141 * @since 2.9
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
152 // unique in a page.
153 $mustache->addHelper('uniqid', new \core\output\mustache_uniqid_helper());
154 if (isset($templatecache[$templatename])) {
155 $template = $templatecache[$templatename];
156 } else {
157 try {
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
172 * interface.
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
178 * @return string
180 public function render(renderable $widget) {
181 $classname = get_class($widget);
182 // Strip namespaces.
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
202 * @param string $id
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) {
206 if (!$id) {
207 $id = html_writer::random_id($action->event);
209 $this->page->requires->event_handler("#$id", $action->event, $action->jsfunction, $action->jsfunctionargs);
210 return $id;
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));
232 return $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'
257 * @return moodle_url
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
270 * @since Moodle 2.0
271 * @package core
272 * @category output
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}
281 protected $output;
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
304 * @return string
306 public function render(renderable $widget) {
307 $classname = get_class($widget);
308 // Strip namespaces.
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
346 * @return mixed
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);
354 } else {
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
366 * @since Moodle 2.0
367 * @package core
368 * @category output
370 class core_renderer extends renderer_base {
372 * Do NOT use, please use <?php echo $OUTPUT->main_content() ?>
373 * in layout files instead.
374 * @deprecated
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;
407 * Constructor
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;
414 $this->page = $page;
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";
437 } else {
438 // legacy xhtml 1.0
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"';
455 return $return;
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
461 * layout.php files.
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);
477 $output = '';
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(
498 'morehelp',
499 'loadinghelp',
500 ), 'moodle');
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));
514 } else {
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;
548 return $output;
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() {
558 global $CFG;
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();
564 return $output;
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.
573 * @return string
575 public function maintenance_warning() {
576 global $CFG;
578 $output = '';
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');
584 $a = new stdClass();
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'),
593 'admin');
595 return $output;
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!
611 return '';
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&amp;ss=1&amp;uri=' . urlencode(qualified_me()) . '">Validate HTML</a></li>
647 <li><a href="http://www.contentquality.com/mynewtester/cynthia.exe?rptmode=-1&amp;url1=' . urlencode(qualified_me()) . '">Section 508 Check</a></li>
648 <li><a href="http://www.contentquality.com/mynewtester/cynthia.exe?rptmode=0&amp;warnp2n3e=1&amp;url1=' . urlencode(qualified_me()) . '">WCAG 1 (2,3) Check</a></li>
649 </ul></div>';
651 return $output;
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.
666 // DO NOT add an id.
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() {
677 global $CFG;
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()}.
682 $output = '';
683 if (!empty($CFG->additionalhtmlfooter)) {
684 $output .= "\n".$CFG->additionalhtmlfooter;
686 $output .= $this->unique_end_html_token;
687 return $output;
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()) {
702 return '';
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);
713 if ($withlinks) {
714 $loginastitle = get_string('loginas');
715 $realuserinfo = " [<a href=\"$CFG->wwwroot/course/loginas.php?id=$course->id&amp;sesskey=".sesskey()."\"";
716 $realuserinfo .= "title =\"".$loginastitle."\">$fullname</a>] ";
717 } else {
718 $realuserinfo = " [$fullname] ";
720 } else {
721 $realuserinfo = '';
724 $loginpage = $this->is_login_page();
725 $loginurl = get_login_url();
727 if (empty($course->id)) {
728 // $course->id is not defined during installation
729 return '';
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)
735 if ($withlinks) {
736 $linktitle = get_string('viewprofile');
737 $username = "<a href=\"$CFG->wwwroot/user/profile.php?id=$USER->id\" title=\"$linktitle\">$fullname</a>";
738 } else {
739 $username = $fullname;
741 if (is_mnet_remote_user($USER) and $idprovider = $DB->get_record('mnet_host', array('id'=>$USER->mnethostid))) {
742 if ($withlinks) {
743 $username .= " from <a href=\"{$idprovider->wwwroot}\">{$idprovider->name}</a>";
744 } else {
745 $username .= " from {$idprovider->name}";
748 if (isguestuser()) {
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
754 $rolename = '';
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;
759 if ($withlinks) {
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)).')';
763 } else {
764 $loggedinas = $realuserinfo.get_string('loggedinas', 'moodle', $username);
765 if ($withlinks) {
766 $loggedinas .= " (<a href=\"$CFG->wwwroot/login/logout.php?sesskey=".sesskey()."\">".get_string('logout').'</a>)';
769 } else {
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">';
786 $a = new stdClass();
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>';
799 return $loggedinas;
803 * Check whether the current page is a login page.
805 * @since Moodle 2.9
806 * @return bool
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.
812 return in_array(
813 $this->page->url->out_as_local_url(false, array()),
814 array(
815 '/login/index.php',
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() {
827 global $CFG, $SITE;
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="'.get_string('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="'.get_string('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>';
845 } else {
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) {
871 global $CFG;
872 $url = str_replace('&amp;', '&', $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();
883 break;
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');
887 break;
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();
895 break;
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');
899 break;
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();
907 return $output;
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() {
925 global $USER, $CFG;
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;
953 } else {
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
998 * requested layout.
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.
1011 $OUTPUT = $this;
1012 $PAGE = $this->page;
1013 $COURSE = $this->page->course;
1015 ob_start();
1016 include($layoutfile);
1017 $rendered = ob_get_contents();
1018 ob_end_clean();
1019 return $rendered;
1023 * Outputs the page's footer
1025 * @return string HTML fragment
1027 public function footer() {
1028 global $CFG, $DB;
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
1078 * @return string
1080 public function course_content_header($onlyifnotcalledbefore = false) {
1081 global $CFG;
1082 if ($this->page->course->id == SITEID) {
1083 // return immediately and do not include /course/lib.php if not necessary
1084 return '';
1086 static $functioncalled = false;
1087 if ($functioncalled && $onlyifnotcalledbefore) {
1088 // we have already output the content header
1089 return '';
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');
1097 return '';
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
1105 * @return string
1107 public function course_content_footer($onlyifnotcalledbefore = false) {
1108 global $CFG;
1109 if ($this->page->course->id == SITEID) {
1110 // return immediately and do not include /course/lib.php if not necessary
1111 return '';
1113 static $functioncalled = false;
1114 if ($functioncalled && $onlyifnotcalledbefore) {
1115 // we have already output the content footer
1116 return '';
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');
1124 return '';
1128 * Returns course-specific information to be output on any course page in the header area
1129 * (for the current course)
1131 * @return string
1133 public function course_header() {
1134 global $CFG;
1135 if ($this->page->course->id == SITEID) {
1136 // return immediately and do not include /course/lib.php if not necessary
1137 return '';
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);
1144 return '';
1148 * Returns course-specific information to be output on any course page in the footer area
1149 * (for the current course)
1151 * @return string
1153 public function course_footer() {
1154 global $CFG;
1155 if ($this->page->course->id == SITEID) {
1156 // return immediately and do not include /course/lib.php if not necessary
1157 return '';
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);
1164 return '';
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() {
1175 global $CFG;
1177 if (empty($CFG->langmenu)) {
1178 return '';
1181 if ($this->page->course != SITEID and !empty($this->page->course->lang)) {
1182 // do not show lang menu if language forced
1183 return '';
1186 $currlang = current_language();
1187 $langs = get_string_manager()->get_list_of_translations();
1189 if (count($langs) < 2) {
1190 return '';
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) {
1207 global $CFG;
1208 if (empty($actions)) {
1209 return '';
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.
1226 * ARIA references:
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);
1241 } else {
1242 $content = $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);
1251 } else {
1252 $content = $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');
1258 return $output;
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;
1269 $actioncount++;
1271 $comparetoalt = '';
1272 $text = '';
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);
1277 } else {
1278 $text .= $action->text;
1279 $comparetoalt = (string)$action->text;
1281 $text .= html_writer::end_tag('span');
1284 $icon = '';
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;
1310 if ($text !== '') {
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('&nbsp;', '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">
1356 * ...CONTENT...
1357 * <div class="footer">
1358 * </div>
1359 * </div>
1360 * <div class="annotation">
1361 * </div>
1362 * </div>
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)) {
1394 $output = '';
1395 $skipdest = '';
1396 } else {
1397 $output = html_writer::link('#sb-'.$bc->skipid, get_string('skipa', 'access', $skiptitle),
1398 array('class' => 'skip skip-block', 'id' => 'fsb-' . $bc->skipid));
1399 $skipdest = html_writer::span('', 'skip-block-to',
1400 array('id' => 'sb-' . $bc->skipid));
1403 $output .= html_writer::start_tag('div', $bc->attributes);
1405 $output .= $this->block_header($bc);
1406 $output .= $this->block_content($bc);
1408 $output .= html_writer::end_tag('div');
1410 $output .= $this->block_annotation($bc);
1412 $output .= $skipdest;
1414 $this->init_block_hider_js($bc);
1415 return $output;
1419 * Produces a header for a block
1421 * @param block_contents $bc
1422 * @return string
1424 protected function block_header(block_contents $bc) {
1426 $title = '';
1427 if ($bc->title) {
1428 $attributes = array();
1429 if ($bc->blockinstanceid) {
1430 $attributes['id'] = 'instance-'.$bc->blockinstanceid.'-header';
1432 $title = html_writer::tag('h2', $bc->title, $attributes);
1435 $blockid = null;
1436 if (isset($bc->attributes['id'])) {
1437 $blockid = $bc->attributes['id'];
1439 $controlshtml = $this->block_controls($bc->controls, $blockid);
1441 $output = '';
1442 if ($title || $controlshtml) {
1443 $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'));
1445 return $output;
1449 * Produces the content area for a block
1451 * @param block_contents $bc
1452 * @return string
1454 protected function block_content(block_contents $bc) {
1455 $output = html_writer::start_tag('div', array('class' => 'content'));
1456 if (!$bc->title && !$this->block_controls($bc->controls)) {
1457 $output .= html_writer::tag('div', '', array('class'=>'block_action notitle'));
1459 $output .= $bc->content;
1460 $output .= $this->block_footer($bc);
1461 $output .= html_writer::end_tag('div');
1463 return $output;
1467 * Produces the footer for a block
1469 * @param block_contents $bc
1470 * @return string
1472 protected function block_footer(block_contents $bc) {
1473 $output = '';
1474 if ($bc->footer) {
1475 $output .= html_writer::tag('div', $bc->footer, array('class' => 'footer'));
1477 return $output;
1481 * Produces the annotation for a block
1483 * @param block_contents $bc
1484 * @return string
1486 protected function block_annotation(block_contents $bc) {
1487 $output = '';
1488 if ($bc->annotation) {
1489 $output .= html_writer::tag('div', $bc->annotation, array('class' => 'blockannotation'));
1491 return $output;
1495 * Calls the JS require function to hide a block.
1497 * @param block_contents $bc A block_contents object
1499 protected function init_block_hider_js(block_contents $bc) {
1500 if (!empty($bc->attributes['id']) and $bc->collapsible != block_contents::NOT_HIDEABLE) {
1501 $config = new stdClass;
1502 $config->id = $bc->attributes['id'];
1503 $config->title = strip_tags($bc->title);
1504 $config->preference = 'block' . $bc->blockinstanceid . 'hidden';
1505 $config->tooltipVisible = get_string('hideblocka', 'access', $config->title);
1506 $config->tooltipHidden = get_string('showblocka', 'access', $config->title);
1508 $this->page->requires->js_init_call('M.util.init_block_hider', array($config));
1509 user_preference_allow_ajax_update($config->preference, PARAM_BOOL);
1514 * Render the contents of a block_list.
1516 * @param array $icons the icon for each item.
1517 * @param array $items the content of each item.
1518 * @return string HTML
1520 public function list_block_contents($icons, $items) {
1521 $row = 0;
1522 $lis = array();
1523 foreach ($items as $key => $string) {
1524 $item = html_writer::start_tag('li', array('class' => 'r' . $row));
1525 if (!empty($icons[$key])) { //test if the content has an assigned icon
1526 $item .= html_writer::tag('div', $icons[$key], array('class' => 'icon column c0'));
1528 $item .= html_writer::tag('div', $string, array('class' => 'column c1'));
1529 $item .= html_writer::end_tag('li');
1530 $lis[] = $item;
1531 $row = 1 - $row; // Flip even/odd.
1533 return html_writer::tag('ul', implode("\n", $lis), array('class' => 'unlist'));
1537 * Output all the blocks in a particular region.
1539 * @param string $region the name of a region on this page.
1540 * @return string the HTML to be output.
1542 public function blocks_for_region($region) {
1543 $blockcontents = $this->page->blocks->get_content_for_region($region, $this);
1544 $blocks = $this->page->blocks->get_blocks_for_region($region);
1545 $lastblock = null;
1546 $zones = array();
1547 foreach ($blocks as $block) {
1548 $zones[] = $block->title;
1550 $output = '';
1552 foreach ($blockcontents as $bc) {
1553 if ($bc instanceof block_contents) {
1554 $output .= $this->block($bc, $region);
1555 $lastblock = $bc->title;
1556 } else if ($bc instanceof block_move_target) {
1557 $output .= $this->block_move_target($bc, $zones, $lastblock, $region);
1558 } else {
1559 throw new coding_exception('Unexpected type of thing (' . get_class($bc) . ') found in list of block contents.');
1562 return $output;
1566 * Output a place where the block that is currently being moved can be dropped.
1568 * @param block_move_target $target with the necessary details.
1569 * @param array $zones array of areas where the block can be moved to
1570 * @param string $previous the block located before the area currently being rendered.
1571 * @param string $region the name of the region
1572 * @return string the HTML to be output.
1574 public function block_move_target($target, $zones, $previous, $region) {
1575 if ($previous == null) {
1576 if (empty($zones)) {
1577 // There are no zones, probably because there are no blocks.
1578 $regions = $this->page->theme->get_all_block_regions();
1579 $position = get_string('moveblockinregion', 'block', $regions[$region]);
1580 } else {
1581 $position = get_string('moveblockbefore', 'block', $zones[0]);
1583 } else {
1584 $position = get_string('moveblockafter', 'block', $previous);
1586 return html_writer::tag('a', html_writer::tag('span', $position, array('class' => 'accesshide')), array('href' => $target->url, 'class' => 'blockmovetarget'));
1590 * Renders a special html link with attached action
1592 * Theme developers: DO NOT OVERRIDE! Please override function
1593 * {@link core_renderer::render_action_link()} instead.
1595 * @param string|moodle_url $url
1596 * @param string $text HTML fragment
1597 * @param component_action $action
1598 * @param array $attributes associative array of html link attributes + disabled
1599 * @param pix_icon optional pix icon to render with the link
1600 * @return string HTML fragment
1602 public function action_link($url, $text, component_action $action = null, array $attributes = null, $icon = null) {
1603 if (!($url instanceof moodle_url)) {
1604 $url = new moodle_url($url);
1606 $link = new action_link($url, $text, $action, $attributes, $icon);
1608 return $this->render($link);
1612 * Renders an action_link object.
1614 * The provided link is renderer and the HTML returned. At the same time the
1615 * associated actions are setup in JS by {@link core_renderer::add_action_handler()}
1617 * @param action_link $link
1618 * @return string HTML fragment
1620 protected function render_action_link(action_link $link) {
1621 global $CFG;
1623 $text = '';
1624 if ($link->icon) {
1625 $text .= $this->render($link->icon);
1628 if ($link->text instanceof renderable) {
1629 $text .= $this->render($link->text);
1630 } else {
1631 $text .= $link->text;
1634 // A disabled link is rendered as formatted text
1635 if (!empty($link->attributes['disabled'])) {
1636 // do not use div here due to nesting restriction in xhtml strict
1637 return html_writer::tag('span', $text, array('class'=>'currentlink'));
1640 $attributes = $link->attributes;
1641 unset($link->attributes['disabled']);
1642 $attributes['href'] = $link->url;
1644 if ($link->actions) {
1645 if (empty($attributes['id'])) {
1646 $id = html_writer::random_id('action_link');
1647 $attributes['id'] = $id;
1648 } else {
1649 $id = $attributes['id'];
1651 foreach ($link->actions as $action) {
1652 $this->add_action_handler($action, $id);
1656 return html_writer::tag('a', $text, $attributes);
1661 * Renders an action_icon.
1663 * This function uses the {@link core_renderer::action_link()} method for the
1664 * most part. What it does different is prepare the icon as HTML and use it
1665 * as the link text.
1667 * Theme developers: If you want to change how action links and/or icons are rendered,
1668 * consider overriding function {@link core_renderer::render_action_link()} and
1669 * {@link core_renderer::render_pix_icon()}.
1671 * @param string|moodle_url $url A string URL or moodel_url
1672 * @param pix_icon $pixicon
1673 * @param component_action $action
1674 * @param array $attributes associative array of html link attributes + disabled
1675 * @param bool $linktext show title next to image in link
1676 * @return string HTML fragment
1678 public function action_icon($url, pix_icon $pixicon, component_action $action = null, array $attributes = null, $linktext=false) {
1679 if (!($url instanceof moodle_url)) {
1680 $url = new moodle_url($url);
1682 $attributes = (array)$attributes;
1684 if (empty($attributes['class'])) {
1685 // let ppl override the class via $options
1686 $attributes['class'] = 'action-icon';
1689 $icon = $this->render($pixicon);
1691 if ($linktext) {
1692 $text = $pixicon->attributes['alt'];
1693 } else {
1694 $text = '';
1697 return $this->action_link($url, $text.$icon, $action, $attributes);
1701 * Print a message along with button choices for Continue/Cancel
1703 * If a string or moodle_url is given instead of a single_button, method defaults to post.
1705 * @param string $message The question to ask the user
1706 * @param single_button|moodle_url|string $continue The single_button component representing the Continue answer. Can also be a moodle_url or string URL
1707 * @param single_button|moodle_url|string $cancel The single_button component representing the Cancel answer. Can also be a moodle_url or string URL
1708 * @return string HTML fragment
1710 public function confirm($message, $continue, $cancel) {
1711 if ($continue instanceof single_button) {
1712 // ok
1713 } else if (is_string($continue)) {
1714 $continue = new single_button(new moodle_url($continue), get_string('continue'), 'post');
1715 } else if ($continue instanceof moodle_url) {
1716 $continue = new single_button($continue, get_string('continue'), 'post');
1717 } else {
1718 throw new coding_exception('The continue param to $OUTPUT->confirm() must be either a URL (string/moodle_url) or a single_button instance.');
1721 if ($cancel instanceof single_button) {
1722 // ok
1723 } else if (is_string($cancel)) {
1724 $cancel = new single_button(new moodle_url($cancel), get_string('cancel'), 'get');
1725 } else if ($cancel instanceof moodle_url) {
1726 $cancel = new single_button($cancel, get_string('cancel'), 'get');
1727 } else {
1728 throw new coding_exception('The cancel param to $OUTPUT->confirm() must be either a URL (string/moodle_url) or a single_button instance.');
1731 $output = $this->box_start('generalbox', 'notice');
1732 $output .= html_writer::tag('p', $message);
1733 $output .= html_writer::tag('div', $this->render($continue) . $this->render($cancel), array('class' => 'buttons'));
1734 $output .= $this->box_end();
1735 return $output;
1739 * Returns a form with a single button.
1741 * Theme developers: DO NOT OVERRIDE! Please override function
1742 * {@link core_renderer::render_single_button()} instead.
1744 * @param string|moodle_url $url
1745 * @param string $label button text
1746 * @param string $method get or post submit method
1747 * @param array $options associative array {disabled, title, etc.}
1748 * @return string HTML fragment
1750 public function single_button($url, $label, $method='post', array $options=null) {
1751 if (!($url instanceof moodle_url)) {
1752 $url = new moodle_url($url);
1754 $button = new single_button($url, $label, $method);
1756 foreach ((array)$options as $key=>$value) {
1757 if (array_key_exists($key, $button)) {
1758 $button->$key = $value;
1762 return $this->render($button);
1766 * Renders a single button widget.
1768 * This will return HTML to display a form containing a single button.
1770 * @param single_button $button
1771 * @return string HTML fragment
1773 protected function render_single_button(single_button $button) {
1774 $attributes = array('type' => 'submit',
1775 'value' => $button->label,
1776 'disabled' => $button->disabled ? 'disabled' : null,
1777 'title' => $button->tooltip);
1779 if ($button->actions) {
1780 $id = html_writer::random_id('single_button');
1781 $attributes['id'] = $id;
1782 foreach ($button->actions as $action) {
1783 $this->add_action_handler($action, $id);
1787 // first the input element
1788 $output = html_writer::empty_tag('input', $attributes);
1790 // then hidden fields
1791 $params = $button->url->params();
1792 if ($button->method === 'post') {
1793 $params['sesskey'] = sesskey();
1795 foreach ($params as $var => $val) {
1796 $output .= html_writer::empty_tag('input', array('type' => 'hidden', 'name' => $var, 'value' => $val));
1799 // then div wrapper for xhtml strictness
1800 $output = html_writer::tag('div', $output);
1802 // now the form itself around it
1803 if ($button->method === 'get') {
1804 $url = $button->url->out_omit_querystring(true); // url without params, the anchor part allowed
1805 } else {
1806 $url = $button->url->out_omit_querystring(); // url without params, the anchor part not allowed
1808 if ($url === '') {
1809 $url = '#'; // there has to be always some action
1811 $attributes = array('method' => $button->method,
1812 'action' => $url,
1813 'id' => $button->formid);
1814 $output = html_writer::tag('form', $output, $attributes);
1816 // and finally one more wrapper with class
1817 return html_writer::tag('div', $output, array('class' => $button->class));
1821 * Returns a form with a single select widget.
1823 * Theme developers: DO NOT OVERRIDE! Please override function
1824 * {@link core_renderer::render_single_select()} instead.
1826 * @param moodle_url $url form action target, includes hidden fields
1827 * @param string $name name of selection field - the changing parameter in url
1828 * @param array $options list of options
1829 * @param string $selected selected element
1830 * @param array $nothing
1831 * @param string $formid
1832 * @param array $attributes other attributes for the single select
1833 * @return string HTML fragment
1835 public function single_select($url, $name, array $options, $selected = '',
1836 $nothing = array('' => 'choosedots'), $formid = null, $attributes = array()) {
1837 if (!($url instanceof moodle_url)) {
1838 $url = new moodle_url($url);
1840 $select = new single_select($url, $name, $options, $selected, $nothing, $formid);
1842 if (array_key_exists('label', $attributes)) {
1843 $select->set_label($attributes['label']);
1844 unset($attributes['label']);
1846 $select->attributes = $attributes;
1848 return $this->render($select);
1852 * Internal implementation of single_select rendering
1854 * @param single_select $select
1855 * @return string HTML fragment
1857 protected function render_single_select(single_select $select) {
1858 $select = clone($select);
1859 if (empty($select->formid)) {
1860 $select->formid = html_writer::random_id('single_select_f');
1863 $output = '';
1864 $params = $select->url->params();
1865 if ($select->method === 'post') {
1866 $params['sesskey'] = sesskey();
1868 foreach ($params as $name=>$value) {
1869 $output .= html_writer::empty_tag('input', array('type'=>'hidden', 'name'=>$name, 'value'=>$value));
1872 if (empty($select->attributes['id'])) {
1873 $select->attributes['id'] = html_writer::random_id('single_select');
1876 if ($select->disabled) {
1877 $select->attributes['disabled'] = 'disabled';
1880 if ($select->tooltip) {
1881 $select->attributes['title'] = $select->tooltip;
1884 $select->attributes['class'] = 'autosubmit';
1885 if ($select->class) {
1886 $select->attributes['class'] .= ' ' . $select->class;
1889 if ($select->label) {
1890 $output .= html_writer::label($select->label, $select->attributes['id'], false, $select->labelattributes);
1893 if ($select->helpicon instanceof help_icon) {
1894 $output .= $this->render($select->helpicon);
1896 $output .= html_writer::select($select->options, $select->name, $select->selected, $select->nothing, $select->attributes);
1898 $go = html_writer::empty_tag('input', array('type'=>'submit', 'value'=>get_string('go')));
1899 $output .= html_writer::tag('noscript', html_writer::tag('div', $go), array('class' => 'inline'));
1901 $nothing = empty($select->nothing) ? false : key($select->nothing);
1902 $this->page->requires->yui_module('moodle-core-formautosubmit',
1903 'M.core.init_formautosubmit',
1904 array(array('selectid' => $select->attributes['id'], 'nothing' => $nothing))
1907 // then div wrapper for xhtml strictness
1908 $output = html_writer::tag('div', $output);
1910 // now the form itself around it
1911 if ($select->method === 'get') {
1912 $url = $select->url->out_omit_querystring(true); // url without params, the anchor part allowed
1913 } else {
1914 $url = $select->url->out_omit_querystring(); // url without params, the anchor part not allowed
1916 $formattributes = array('method' => $select->method,
1917 'action' => $url,
1918 'id' => $select->formid);
1919 $output = html_writer::tag('form', $output, $formattributes);
1921 // and finally one more wrapper with class
1922 return html_writer::tag('div', $output, array('class' => $select->class));
1926 * Returns a form with a url select widget.
1928 * Theme developers: DO NOT OVERRIDE! Please override function
1929 * {@link core_renderer::render_url_select()} instead.
1931 * @param array $urls list of urls - array('/course/view.php?id=1'=>'Frontpage', ....)
1932 * @param string $selected selected element
1933 * @param array $nothing
1934 * @param string $formid
1935 * @return string HTML fragment
1937 public function url_select(array $urls, $selected, $nothing = array('' => 'choosedots'), $formid = null) {
1938 $select = new url_select($urls, $selected, $nothing, $formid);
1939 return $this->render($select);
1943 * Internal implementation of url_select rendering
1945 * @param url_select $select
1946 * @return string HTML fragment
1948 protected function render_url_select(url_select $select) {
1949 global $CFG;
1951 $select = clone($select);
1952 if (empty($select->formid)) {
1953 $select->formid = html_writer::random_id('url_select_f');
1956 if (empty($select->attributes['id'])) {
1957 $select->attributes['id'] = html_writer::random_id('url_select');
1960 if ($select->disabled) {
1961 $select->attributes['disabled'] = 'disabled';
1964 if ($select->tooltip) {
1965 $select->attributes['title'] = $select->tooltip;
1968 $output = '';
1970 if ($select->label) {
1971 $output .= html_writer::label($select->label, $select->attributes['id'], false, $select->labelattributes);
1974 $classes = array();
1975 if (!$select->showbutton) {
1976 $classes[] = 'autosubmit';
1978 if ($select->class) {
1979 $classes[] = $select->class;
1981 if (count($classes)) {
1982 $select->attributes['class'] = implode(' ', $classes);
1985 if ($select->helpicon instanceof help_icon) {
1986 $output .= $this->render($select->helpicon);
1989 // For security reasons, the script course/jumpto.php requires URL starting with '/'. To keep
1990 // backward compatibility, we are removing heading $CFG->wwwroot from URLs here.
1991 $urls = array();
1992 foreach ($select->urls as $k=>$v) {
1993 if (is_array($v)) {
1994 // optgroup structure
1995 foreach ($v as $optgrouptitle => $optgroupoptions) {
1996 foreach ($optgroupoptions as $optionurl => $optiontitle) {
1997 if (empty($optionurl)) {
1998 $safeoptionurl = '';
1999 } else if (strpos($optionurl, $CFG->wwwroot.'/') === 0) {
2000 // debugging('URLs passed to url_select should be in local relative form - please fix the code.', DEBUG_DEVELOPER);
2001 $safeoptionurl = str_replace($CFG->wwwroot, '', $optionurl);
2002 } else if (strpos($optionurl, '/') !== 0) {
2003 debugging("Invalid url_select urls parameter inside optgroup: url '$optionurl' is not local relative url!");
2004 continue;
2005 } else {
2006 $safeoptionurl = $optionurl;
2008 $urls[$k][$optgrouptitle][$safeoptionurl] = $optiontitle;
2011 } else {
2012 // plain list structure
2013 if (empty($k)) {
2014 // nothing selected option
2015 } else if (strpos($k, $CFG->wwwroot.'/') === 0) {
2016 $k = str_replace($CFG->wwwroot, '', $k);
2017 } else if (strpos($k, '/') !== 0) {
2018 debugging("Invalid url_select urls parameter: url '$k' is not local relative url!");
2019 continue;
2021 $urls[$k] = $v;
2024 $selected = $select->selected;
2025 if (!empty($selected)) {
2026 if (strpos($select->selected, $CFG->wwwroot.'/') === 0) {
2027 $selected = str_replace($CFG->wwwroot, '', $selected);
2028 } else if (strpos($selected, '/') !== 0) {
2029 debugging("Invalid value of parameter 'selected': url '$selected' is not local relative url!");
2033 $output .= html_writer::empty_tag('input', array('type'=>'hidden', 'name'=>'sesskey', 'value'=>sesskey()));
2034 $output .= html_writer::select($urls, 'jump', $selected, $select->nothing, $select->attributes);
2036 if (!$select->showbutton) {
2037 $go = html_writer::empty_tag('input', array('type'=>'submit', 'value'=>get_string('go')));
2038 $output .= html_writer::tag('noscript', html_writer::tag('div', $go), array('class' => 'inline'));
2039 $nothing = empty($select->nothing) ? false : key($select->nothing);
2040 $this->page->requires->yui_module('moodle-core-formautosubmit',
2041 'M.core.init_formautosubmit',
2042 array(array('selectid' => $select->attributes['id'], 'nothing' => $nothing))
2044 } else {
2045 $output .= html_writer::empty_tag('input', array('type'=>'submit', 'value'=>$select->showbutton));
2048 // then div wrapper for xhtml strictness
2049 $output = html_writer::tag('div', $output);
2051 // now the form itself around it
2052 $formattributes = array('method' => 'post',
2053 'action' => new moodle_url('/course/jumpto.php'),
2054 'id' => $select->formid);
2055 $output = html_writer::tag('form', $output, $formattributes);
2057 // and finally one more wrapper with class
2058 return html_writer::tag('div', $output, array('class' => $select->class));
2062 * Returns a string containing a link to the user documentation.
2063 * Also contains an icon by default. Shown to teachers and admin only.
2065 * @param string $path The page link after doc root and language, no leading slash.
2066 * @param string $text The text to be displayed for the link
2067 * @param boolean $forcepopup Whether to force a popup regardless of the value of $CFG->doctonewwindow
2068 * @return string
2070 public function doc_link($path, $text = '', $forcepopup = false) {
2071 global $CFG;
2073 $icon = $this->pix_icon('docs', '', 'moodle', array('class'=>'iconhelp icon-pre', 'role'=>'presentation'));
2075 $url = new moodle_url(get_docs_url($path));
2077 $attributes = array('href'=>$url);
2078 if (!empty($CFG->doctonewwindow) || $forcepopup) {
2079 $attributes['class'] = 'helplinkpopup';
2082 return html_writer::tag('a', $icon.$text, $attributes);
2086 * Return HTML for a pix_icon.
2088 * Theme developers: DO NOT OVERRIDE! Please override function
2089 * {@link core_renderer::render_pix_icon()} instead.
2091 * @param string $pix short pix name
2092 * @param string $alt mandatory alt attribute
2093 * @param string $component standard compoennt name like 'moodle', 'mod_forum', etc.
2094 * @param array $attributes htm lattributes
2095 * @return string HTML fragment
2097 public function pix_icon($pix, $alt, $component='moodle', array $attributes = null) {
2098 $icon = new pix_icon($pix, $alt, $component, $attributes);
2099 return $this->render($icon);
2103 * Renders a pix_icon widget and returns the HTML to display it.
2105 * @param pix_icon $icon
2106 * @return string HTML fragment
2108 protected function render_pix_icon(pix_icon $icon) {
2109 $data = $icon->export_for_template($this);
2110 return $this->render_from_template('core/pix_icon', $data);
2114 * Return HTML to display an emoticon icon.
2116 * @param pix_emoticon $emoticon
2117 * @return string HTML fragment
2119 protected function render_pix_emoticon(pix_emoticon $emoticon) {
2120 $attributes = $emoticon->attributes;
2121 $attributes['src'] = $this->pix_url($emoticon->pix, $emoticon->component);
2122 return html_writer::empty_tag('img', $attributes);
2126 * Produces the html that represents this rating in the UI
2128 * @param rating $rating the page object on which this rating will appear
2129 * @return string
2131 function render_rating(rating $rating) {
2132 global $CFG, $USER;
2134 if ($rating->settings->aggregationmethod == RATING_AGGREGATE_NONE) {
2135 return null;//ratings are turned off
2138 $ratingmanager = new rating_manager();
2139 // Initialise the JavaScript so ratings can be done by AJAX.
2140 $ratingmanager->initialise_rating_javascript($this->page);
2142 $strrate = get_string("rate", "rating");
2143 $ratinghtml = ''; //the string we'll return
2145 // permissions check - can they view the aggregate?
2146 if ($rating->user_can_view_aggregate()) {
2148 $aggregatelabel = $ratingmanager->get_aggregate_label($rating->settings->aggregationmethod);
2149 $aggregatestr = $rating->get_aggregate_string();
2151 $aggregatehtml = html_writer::tag('span', $aggregatestr, array('id' => 'ratingaggregate'.$rating->itemid, 'class' => 'ratingaggregate')).' ';
2152 if ($rating->count > 0) {
2153 $countstr = "({$rating->count})";
2154 } else {
2155 $countstr = '-';
2157 $aggregatehtml .= html_writer::tag('span', $countstr, array('id'=>"ratingcount{$rating->itemid}", 'class' => 'ratingcount')).' ';
2159 $ratinghtml .= html_writer::tag('span', $aggregatelabel, array('class'=>'rating-aggregate-label'));
2160 if ($rating->settings->permissions->viewall && $rating->settings->pluginpermissions->viewall) {
2162 $nonpopuplink = $rating->get_view_ratings_url();
2163 $popuplink = $rating->get_view_ratings_url(true);
2165 $action = new popup_action('click', $popuplink, 'ratings', array('height' => 400, 'width' => 600));
2166 $ratinghtml .= $this->action_link($nonpopuplink, $aggregatehtml, $action);
2167 } else {
2168 $ratinghtml .= $aggregatehtml;
2172 $formstart = null;
2173 // if the item doesn't belong to the current user, the user has permission to rate
2174 // and we're within the assessable period
2175 if ($rating->user_can_rate()) {
2177 $rateurl = $rating->get_rate_url();
2178 $inputs = $rateurl->params();
2180 //start the rating form
2181 $formattrs = array(
2182 'id' => "postrating{$rating->itemid}",
2183 'class' => 'postratingform',
2184 'method' => 'post',
2185 'action' => $rateurl->out_omit_querystring()
2187 $formstart = html_writer::start_tag('form', $formattrs);
2188 $formstart .= html_writer::start_tag('div', array('class' => 'ratingform'));
2190 // add the hidden inputs
2191 foreach ($inputs as $name => $value) {
2192 $attributes = array('type' => 'hidden', 'class' => 'ratinginput', 'name' => $name, 'value' => $value);
2193 $formstart .= html_writer::empty_tag('input', $attributes);
2196 if (empty($ratinghtml)) {
2197 $ratinghtml .= $strrate.': ';
2199 $ratinghtml = $formstart.$ratinghtml;
2201 $scalearray = array(RATING_UNSET_RATING => $strrate.'...') + $rating->settings->scale->scaleitems;
2202 $scaleattrs = array('class'=>'postratingmenu ratinginput','id'=>'menurating'.$rating->itemid);
2203 $ratinghtml .= html_writer::label($rating->rating, 'menurating'.$rating->itemid, false, array('class' => 'accesshide'));
2204 $ratinghtml .= html_writer::select($scalearray, 'rating', $rating->rating, false, $scaleattrs);
2206 //output submit button
2207 $ratinghtml .= html_writer::start_tag('span', array('class'=>"ratingsubmit"));
2209 $attributes = array('type' => 'submit', 'class' => 'postratingmenusubmit', 'id' => 'postratingsubmit'.$rating->itemid, 'value' => s(get_string('rate', 'rating')));
2210 $ratinghtml .= html_writer::empty_tag('input', $attributes);
2212 if (!$rating->settings->scale->isnumeric) {
2213 // If a global scale, try to find current course ID from the context
2214 if (empty($rating->settings->scale->courseid) and $coursecontext = $rating->context->get_course_context(false)) {
2215 $courseid = $coursecontext->instanceid;
2216 } else {
2217 $courseid = $rating->settings->scale->courseid;
2219 $ratinghtml .= $this->help_icon_scale($courseid, $rating->settings->scale);
2221 $ratinghtml .= html_writer::end_tag('span');
2222 $ratinghtml .= html_writer::end_tag('div');
2223 $ratinghtml .= html_writer::end_tag('form');
2226 return $ratinghtml;
2230 * Centered heading with attached help button (same title text)
2231 * and optional icon attached.
2233 * @param string $text A heading text
2234 * @param string $helpidentifier The keyword that defines a help page
2235 * @param string $component component name
2236 * @param string|moodle_url $icon
2237 * @param string $iconalt icon alt text
2238 * @param int $level The level of importance of the heading. Defaulting to 2
2239 * @param string $classnames A space-separated list of CSS classes. Defaulting to null
2240 * @return string HTML fragment
2242 public function heading_with_help($text, $helpidentifier, $component = 'moodle', $icon = '', $iconalt = '', $level = 2, $classnames = null) {
2243 $image = '';
2244 if ($icon) {
2245 $image = $this->pix_icon($icon, $iconalt, $component, array('class'=>'icon iconlarge'));
2248 $help = '';
2249 if ($helpidentifier) {
2250 $help = $this->help_icon($helpidentifier, $component);
2253 return $this->heading($image.$text.$help, $level, $classnames);
2257 * Returns HTML to display a help icon.
2259 * @deprecated since Moodle 2.0
2261 public function old_help_icon($helpidentifier, $title, $component = 'moodle', $linktext = '') {
2262 throw new coding_exception('old_help_icon() can not be used any more, please see help_icon().');
2266 * Returns HTML to display a help icon.
2268 * Theme developers: DO NOT OVERRIDE! Please override function
2269 * {@link core_renderer::render_help_icon()} instead.
2271 * @param string $identifier The keyword that defines a help page
2272 * @param string $component component name
2273 * @param string|bool $linktext true means use $title as link text, string means link text value
2274 * @return string HTML fragment
2276 public function help_icon($identifier, $component = 'moodle', $linktext = '') {
2277 $icon = new help_icon($identifier, $component);
2278 $icon->diag_strings();
2279 if ($linktext === true) {
2280 $icon->linktext = get_string($icon->identifier, $icon->component);
2281 } else if (!empty($linktext)) {
2282 $icon->linktext = $linktext;
2284 return $this->render($icon);
2288 * Implementation of user image rendering.
2290 * @param help_icon $helpicon A help icon instance
2291 * @return string HTML fragment
2293 protected function render_help_icon(help_icon $helpicon) {
2294 global $CFG;
2296 // first get the help image icon
2297 $src = $this->pix_url('help');
2299 $title = get_string($helpicon->identifier, $helpicon->component);
2301 if (empty($helpicon->linktext)) {
2302 $alt = get_string('helpprefix2', '', trim($title, ". \t"));
2303 } else {
2304 $alt = get_string('helpwiththis');
2307 $attributes = array('src'=>$src, 'alt'=>$alt, 'class'=>'iconhelp');
2308 $output = html_writer::empty_tag('img', $attributes);
2310 // add the link text if given
2311 if (!empty($helpicon->linktext)) {
2312 // the spacing has to be done through CSS
2313 $output .= $helpicon->linktext;
2316 // now create the link around it - we need https on loginhttps pages
2317 $url = new moodle_url($CFG->httpswwwroot.'/help.php', array('component' => $helpicon->component, 'identifier' => $helpicon->identifier, 'lang'=>current_language()));
2319 // note: this title is displayed only if JS is disabled, otherwise the link will have the new ajax tooltip
2320 $title = get_string('helpprefix2', '', trim($title, ". \t"));
2322 $attributes = array('href' => $url, 'title' => $title, 'aria-haspopup' => 'true', 'target'=>'_blank');
2323 $output = html_writer::tag('a', $output, $attributes);
2325 // and finally span
2326 return html_writer::tag('span', $output, array('class' => 'helptooltip'));
2330 * Returns HTML to display a scale help icon.
2332 * @param int $courseid
2333 * @param stdClass $scale instance
2334 * @return string HTML fragment
2336 public function help_icon_scale($courseid, stdClass $scale) {
2337 global $CFG;
2339 $title = get_string('helpprefix2', '', $scale->name) .' ('.get_string('newwindow').')';
2341 $icon = $this->pix_icon('help', get_string('scales'), 'moodle', array('class'=>'iconhelp'));
2343 $scaleid = abs($scale->id);
2345 $link = new moodle_url('/course/scales.php', array('id' => $courseid, 'list' => true, 'scaleid' => $scaleid));
2346 $action = new popup_action('click', $link, 'ratingscale');
2348 return html_writer::tag('span', $this->action_link($link, $icon, $action), array('class' => 'helplink'));
2352 * Creates and returns a spacer image with optional line break.
2354 * @param array $attributes Any HTML attributes to add to the spaced.
2355 * @param bool $br Include a BR after the spacer.... DON'T USE THIS. Don't be
2356 * laxy do it with CSS which is a much better solution.
2357 * @return string HTML fragment
2359 public function spacer(array $attributes = null, $br = false) {
2360 $attributes = (array)$attributes;
2361 if (empty($attributes['width'])) {
2362 $attributes['width'] = 1;
2364 if (empty($attributes['height'])) {
2365 $attributes['height'] = 1;
2367 $attributes['class'] = 'spacer';
2369 $output = $this->pix_icon('spacer', '', 'moodle', $attributes);
2371 if (!empty($br)) {
2372 $output .= '<br />';
2375 return $output;
2379 * Returns HTML to display the specified user's avatar.
2381 * User avatar may be obtained in two ways:
2382 * <pre>
2383 * // Option 1: (shortcut for simple cases, preferred way)
2384 * // $user has come from the DB and has fields id, picture, imagealt, firstname and lastname
2385 * $OUTPUT->user_picture($user, array('popup'=>true));
2387 * // Option 2:
2388 * $userpic = new user_picture($user);
2389 * // Set properties of $userpic
2390 * $userpic->popup = true;
2391 * $OUTPUT->render($userpic);
2392 * </pre>
2394 * Theme developers: DO NOT OVERRIDE! Please override function
2395 * {@link core_renderer::render_user_picture()} instead.
2397 * @param stdClass $user Object with at least fields id, picture, imagealt, firstname, lastname
2398 * If any of these are missing, the database is queried. Avoid this
2399 * if at all possible, particularly for reports. It is very bad for performance.
2400 * @param array $options associative array with user picture options, used only if not a user_picture object,
2401 * options are:
2402 * - courseid=$this->page->course->id (course id of user profile in link)
2403 * - size=35 (size of image)
2404 * - link=true (make image clickable - the link leads to user profile)
2405 * - popup=false (open in popup)
2406 * - alttext=true (add image alt attribute)
2407 * - class = image class attribute (default 'userpicture')
2408 * - visibletoscreenreaders=true (whether to be visible to screen readers)
2409 * @return string HTML fragment
2411 public function user_picture(stdClass $user, array $options = null) {
2412 $userpicture = new user_picture($user);
2413 foreach ((array)$options as $key=>$value) {
2414 if (array_key_exists($key, $userpicture)) {
2415 $userpicture->$key = $value;
2418 return $this->render($userpicture);
2422 * Internal implementation of user image rendering.
2424 * @param user_picture $userpicture
2425 * @return string
2427 protected function render_user_picture(user_picture $userpicture) {
2428 global $CFG, $DB;
2430 $user = $userpicture->user;
2432 if ($userpicture->alttext) {
2433 if (!empty($user->imagealt)) {
2434 $alt = $user->imagealt;
2435 } else {
2436 $alt = get_string('pictureof', '', fullname($user));
2438 } else {
2439 $alt = '';
2442 if (empty($userpicture->size)) {
2443 $size = 35;
2444 } else if ($userpicture->size === true or $userpicture->size == 1) {
2445 $size = 100;
2446 } else {
2447 $size = $userpicture->size;
2450 $class = $userpicture->class;
2452 if ($user->picture == 0) {
2453 $class .= ' defaultuserpic';
2456 $src = $userpicture->get_url($this->page, $this);
2458 $attributes = array('src'=>$src, 'alt'=>$alt, 'title'=>$alt, 'class'=>$class, 'width'=>$size, 'height'=>$size);
2459 if (!$userpicture->visibletoscreenreaders) {
2460 $attributes['role'] = 'presentation';
2463 // get the image html output fisrt
2464 $output = html_writer::empty_tag('img', $attributes);
2466 // then wrap it in link if needed
2467 if (!$userpicture->link) {
2468 return $output;
2471 if (empty($userpicture->courseid)) {
2472 $courseid = $this->page->course->id;
2473 } else {
2474 $courseid = $userpicture->courseid;
2477 if ($courseid == SITEID) {
2478 $url = new moodle_url('/user/profile.php', array('id' => $user->id));
2479 } else {
2480 $url = new moodle_url('/user/view.php', array('id' => $user->id, 'course' => $courseid));
2483 $attributes = array('href'=>$url);
2484 if (!$userpicture->visibletoscreenreaders) {
2485 $attributes['tabindex'] = '-1';
2486 $attributes['aria-hidden'] = 'true';
2489 if ($userpicture->popup) {
2490 $id = html_writer::random_id('userpicture');
2491 $attributes['id'] = $id;
2492 $this->add_action_handler(new popup_action('click', $url), $id);
2495 return html_writer::tag('a', $output, $attributes);
2499 * Internal implementation of file tree viewer items rendering.
2501 * @param array $dir
2502 * @return string
2504 public function htmllize_file_tree($dir) {
2505 if (empty($dir['subdirs']) and empty($dir['files'])) {
2506 return '';
2508 $result = '<ul>';
2509 foreach ($dir['subdirs'] as $subdir) {
2510 $result .= '<li>'.s($subdir['dirname']).' '.$this->htmllize_file_tree($subdir).'</li>';
2512 foreach ($dir['files'] as $file) {
2513 $filename = $file->get_filename();
2514 $result .= '<li><span>'.html_writer::link($file->fileurl, $filename).'</span></li>';
2516 $result .= '</ul>';
2518 return $result;
2522 * Returns HTML to display the file picker
2524 * <pre>
2525 * $OUTPUT->file_picker($options);
2526 * </pre>
2528 * Theme developers: DO NOT OVERRIDE! Please override function
2529 * {@link core_renderer::render_file_picker()} instead.
2531 * @param array $options associative array with file manager options
2532 * options are:
2533 * maxbytes=>-1,
2534 * itemid=>0,
2535 * client_id=>uniqid(),
2536 * acepted_types=>'*',
2537 * return_types=>FILE_INTERNAL,
2538 * context=>$PAGE->context
2539 * @return string HTML fragment
2541 public function file_picker($options) {
2542 $fp = new file_picker($options);
2543 return $this->render($fp);
2547 * Internal implementation of file picker rendering.
2549 * @param file_picker $fp
2550 * @return string
2552 public function render_file_picker(file_picker $fp) {
2553 global $CFG, $OUTPUT, $USER;
2554 $options = $fp->options;
2555 $client_id = $options->client_id;
2556 $strsaved = get_string('filesaved', 'repository');
2557 $straddfile = get_string('openpicker', 'repository');
2558 $strloading = get_string('loading', 'repository');
2559 $strdndenabled = get_string('dndenabled_inbox', 'moodle');
2560 $strdroptoupload = get_string('droptoupload', 'moodle');
2561 $icon_progress = $OUTPUT->pix_icon('i/loading_small', $strloading).'';
2563 $currentfile = $options->currentfile;
2564 if (empty($currentfile)) {
2565 $currentfile = '';
2566 } else {
2567 $currentfile .= ' - ';
2569 if ($options->maxbytes) {
2570 $size = $options->maxbytes;
2571 } else {
2572 $size = get_max_upload_file_size();
2574 if ($size == -1) {
2575 $maxsize = '';
2576 } else {
2577 $maxsize = get_string('maxfilesize', 'moodle', display_size($size));
2579 if ($options->buttonname) {
2580 $buttonname = ' name="' . $options->buttonname . '"';
2581 } else {
2582 $buttonname = '';
2584 $html = <<<EOD
2585 <div class="filemanager-loading mdl-align" id='filepicker-loading-{$client_id}'>
2586 $icon_progress
2587 </div>
2588 <div id="filepicker-wrapper-{$client_id}" class="mdl-left" style="display:none">
2589 <div>
2590 <input type="button" class="fp-btn-choose" id="filepicker-button-{$client_id}" value="{$straddfile}"{$buttonname}/>
2591 <span> $maxsize </span>
2592 </div>
2593 EOD;
2594 if ($options->env != 'url') {
2595 $html .= <<<EOD
2596 <div id="file_info_{$client_id}" class="mdl-left filepicker-filelist" style="position: relative">
2597 <div class="filepicker-filename">
2598 <div class="filepicker-container">$currentfile<div class="dndupload-message">$strdndenabled <br/><div class="dndupload-arrow"></div></div></div>
2599 <div class="dndupload-progressbars"></div>
2600 </div>
2601 <div><div class="dndupload-target">{$strdroptoupload}<br/><div class="dndupload-arrow"></div></div></div>
2602 </div>
2603 EOD;
2605 $html .= '</div>';
2606 return $html;
2610 * Returns HTML to display the 'Update this Modulename' button that appears on module pages.
2612 * @param string $cmid the course_module id.
2613 * @param string $modulename the module name, eg. "forum", "quiz" or "workshop"
2614 * @return string the HTML for the button, if this user has permission to edit it, else an empty string.
2616 public function update_module_button($cmid, $modulename) {
2617 global $CFG;
2618 if (has_capability('moodle/course:manageactivities', context_module::instance($cmid))) {
2619 $modulename = get_string('modulename', $modulename);
2620 $string = get_string('updatethis', '', $modulename);
2621 $url = new moodle_url("$CFG->wwwroot/course/mod.php", array('update' => $cmid, 'return' => true, 'sesskey' => sesskey()));
2622 return $this->single_button($url, $string);
2623 } else {
2624 return '';
2629 * Returns HTML to display a "Turn editing on/off" button in a form.
2631 * @param moodle_url $url The URL + params to send through when clicking the button
2632 * @return string HTML the button
2634 public function edit_button(moodle_url $url) {
2636 $url->param('sesskey', sesskey());
2637 if ($this->page->user_is_editing()) {
2638 $url->param('edit', 'off');
2639 $editstring = get_string('turneditingoff');
2640 } else {
2641 $url->param('edit', 'on');
2642 $editstring = get_string('turneditingon');
2645 return $this->single_button($url, $editstring);
2649 * Returns HTML to display a simple button to close a window
2651 * @param string $text The lang string for the button's label (already output from get_string())
2652 * @return string html fragment
2654 public function close_window_button($text='') {
2655 if (empty($text)) {
2656 $text = get_string('closewindow');
2658 $button = new single_button(new moodle_url('#'), $text, 'get');
2659 $button->add_action(new component_action('click', 'close_window'));
2661 return $this->container($this->render($button), 'closewindow');
2665 * Output an error message. By default wraps the error message in <span class="error">.
2666 * If the error message is blank, nothing is output.
2668 * @param string $message the error message.
2669 * @return string the HTML to output.
2671 public function error_text($message) {
2672 if (empty($message)) {
2673 return '';
2675 $message = $this->pix_icon('i/warning', get_string('error'), '', array('class' => 'icon icon-pre', 'title'=>'')) . $message;
2676 return html_writer::tag('span', $message, array('class' => 'error'));
2680 * Do not call this function directly.
2682 * To terminate the current script with a fatal error, call the {@link print_error}
2683 * function, or throw an exception. Doing either of those things will then call this
2684 * function to display the error, before terminating the execution.
2686 * @param string $message The message to output
2687 * @param string $moreinfourl URL where more info can be found about the error
2688 * @param string $link Link for the Continue button
2689 * @param array $backtrace The execution backtrace
2690 * @param string $debuginfo Debugging information
2691 * @return string the HTML to output.
2693 public function fatal_error($message, $moreinfourl, $link, $backtrace, $debuginfo = null) {
2694 global $CFG;
2696 $output = '';
2697 $obbuffer = '';
2699 if ($this->has_started()) {
2700 // we can not always recover properly here, we have problems with output buffering,
2701 // html tables, etc.
2702 $output .= $this->opencontainers->pop_all_but_last();
2704 } else {
2705 // It is really bad if library code throws exception when output buffering is on,
2706 // because the buffered text would be printed before our start of page.
2707 // NOTE: this hack might be behave unexpectedly in case output buffering is enabled in PHP.ini
2708 error_reporting(0); // disable notices from gzip compression, etc.
2709 while (ob_get_level() > 0) {
2710 $buff = ob_get_clean();
2711 if ($buff === false) {
2712 break;
2714 $obbuffer .= $buff;
2716 error_reporting($CFG->debug);
2718 // Output not yet started.
2719 $protocol = (isset($_SERVER['SERVER_PROTOCOL']) ? $_SERVER['SERVER_PROTOCOL'] : 'HTTP/1.0');
2720 if (empty($_SERVER['HTTP_RANGE'])) {
2721 @header($protocol . ' 404 Not Found');
2722 } else {
2723 // Must stop byteserving attempts somehow,
2724 // this is weird but Chrome PDF viewer can be stopped only with 407!
2725 @header($protocol . ' 407 Proxy Authentication Required');
2728 $this->page->set_context(null); // ugly hack - make sure page context is set to something, we do not want bogus warnings here
2729 $this->page->set_url('/'); // no url
2730 //$this->page->set_pagelayout('base'); //TODO: MDL-20676 blocks on error pages are weird, unfortunately it somehow detect the pagelayout from URL :-(
2731 $this->page->set_title(get_string('error'));
2732 $this->page->set_heading($this->page->course->fullname);
2733 $output .= $this->header();
2736 $message = '<p class="errormessage">' . $message . '</p>'.
2737 '<p class="errorcode"><a href="' . $moreinfourl . '">' .
2738 get_string('moreinformation') . '</a></p>';
2739 if (empty($CFG->rolesactive)) {
2740 $message .= '<p class="errormessage">' . get_string('installproblem', 'error') . '</p>';
2741 //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.
2743 $output .= $this->box($message, 'errorbox', null, array('data-rel' => 'fatalerror'));
2745 if ($CFG->debugdeveloper) {
2746 if (!empty($debuginfo)) {
2747 $debuginfo = s($debuginfo); // removes all nasty JS
2748 $debuginfo = str_replace("\n", '<br />', $debuginfo); // keep newlines
2749 $output .= $this->notification('<strong>Debug info:</strong> '.$debuginfo, 'notifytiny');
2751 if (!empty($backtrace)) {
2752 $output .= $this->notification('<strong>Stack trace:</strong> '.format_backtrace($backtrace), 'notifytiny');
2754 if ($obbuffer !== '' ) {
2755 $output .= $this->notification('<strong>Output buffer:</strong> '.s($obbuffer), 'notifytiny');
2759 if (empty($CFG->rolesactive)) {
2760 // continue does not make much sense if moodle is not installed yet because error is most probably not recoverable
2761 } else if (!empty($link)) {
2762 $output .= $this->continue_button($link);
2765 $output .= $this->footer();
2767 // Padding to encourage IE to display our error page, rather than its own.
2768 $output .= str_repeat(' ', 512);
2770 return $output;
2774 * Output a notification (that is, a status message about something that has
2775 * just happened).
2777 * @param string $message the message to print out
2778 * @param string $classes normally 'notifyproblem' or 'notifysuccess'.
2779 * @return string the HTML to output.
2781 public function notification($message, $classes = 'notifyproblem') {
2783 $classmappings = array(
2784 'notifyproblem' => \core\output\notification::NOTIFY_PROBLEM,
2785 'notifytiny' => \core\output\notification::NOTIFY_PROBLEM,
2786 'notifysuccess' => \core\output\notification::NOTIFY_SUCCESS,
2787 'notifymessage' => \core\output\notification::NOTIFY_MESSAGE,
2788 'redirectmessage' => \core\output\notification::NOTIFY_REDIRECT
2791 // Identify what type of notification this is.
2792 $type = \core\output\notification::NOTIFY_PROBLEM;
2793 $classarray = explode(' ', self::prepare_classes($classes));
2794 if (count($classarray) > 0) {
2795 foreach ($classarray as $class) {
2796 if (isset($classmappings[$class])) {
2797 $type = $classmappings[$class];
2798 break;
2803 $n = new \core\output\notification($message, $type);
2804 return $this->render($n);
2809 * Output a notification at a particular level - in this case, NOTIFY_PROBLEM.
2811 * @param string $message the message to print out
2812 * @return string HTML fragment.
2814 public function notify_problem($message) {
2815 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_PROBLEM);
2816 return $this->render($n);
2820 * Output a notification at a particular level - in this case, NOTIFY_SUCCESS.
2822 * @param string $message the message to print out
2823 * @return string HTML fragment.
2825 public function notify_success($message) {
2826 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_SUCCESS);
2827 return $this->render($n);
2831 * Output a notification at a particular level - in this case, NOTIFY_MESSAGE.
2833 * @param string $message the message to print out
2834 * @return string HTML fragment.
2836 public function notify_message($message) {
2837 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_MESSAGE);
2838 return $this->render($n);
2842 * Output a notification at a particular level - in this case, NOTIFY_REDIRECT.
2844 * @param string $message the message to print out
2845 * @return string HTML fragment.
2847 public function notify_redirect($message) {
2848 $n = new \core\output\notification($message, \core\output\notification::NOTIFY_REDIRECT);
2849 return $this->render($n);
2853 * Render a notification (that is, a status message about something that has
2854 * just happened).
2856 * @param \core\output\notification $notification the notification to print out
2857 * @return string the HTML to output.
2859 protected function render_notification(\core\output\notification $notification) {
2861 $data = $notification->export_for_template($this);
2863 $templatename = '';
2864 switch($data->type) {
2865 case \core\output\notification::NOTIFY_MESSAGE:
2866 $templatename = 'core/notification_message';
2867 break;
2868 case \core\output\notification::NOTIFY_SUCCESS:
2869 $templatename = 'core/notification_success';
2870 break;
2871 case \core\output\notification::NOTIFY_PROBLEM:
2872 $templatename = 'core/notification_problem';
2873 break;
2874 case \core\output\notification::NOTIFY_REDIRECT:
2875 $templatename = 'core/notification_redirect';
2876 break;
2877 default:
2878 $templatename = 'core/notification_message';
2879 break;
2882 return self::render_from_template($templatename, $data);
2887 * Returns HTML to display a continue button that goes to a particular URL.
2889 * @param string|moodle_url $url The url the button goes to.
2890 * @return string the HTML to output.
2892 public function continue_button($url) {
2893 if (!($url instanceof moodle_url)) {
2894 $url = new moodle_url($url);
2896 $button = new single_button($url, get_string('continue'), 'get');
2897 $button->class = 'continuebutton';
2899 return $this->render($button);
2903 * Returns HTML to display a single paging bar to provide access to other pages (usually in a search)
2905 * Theme developers: DO NOT OVERRIDE! Please override function
2906 * {@link core_renderer::render_paging_bar()} instead.
2908 * @param int $totalcount The total number of entries available to be paged through
2909 * @param int $page The page you are currently viewing
2910 * @param int $perpage The number of entries that should be shown per page
2911 * @param string|moodle_url $baseurl url of the current page, the $pagevar parameter is added
2912 * @param string $pagevar name of page parameter that holds the page number
2913 * @return string the HTML to output.
2915 public function paging_bar($totalcount, $page, $perpage, $baseurl, $pagevar = 'page') {
2916 $pb = new paging_bar($totalcount, $page, $perpage, $baseurl, $pagevar);
2917 return $this->render($pb);
2921 * Internal implementation of paging bar rendering.
2923 * @param paging_bar $pagingbar
2924 * @return string
2926 protected function render_paging_bar(paging_bar $pagingbar) {
2927 $output = '';
2928 $pagingbar = clone($pagingbar);
2929 $pagingbar->prepare($this, $this->page, $this->target);
2931 if ($pagingbar->totalcount > $pagingbar->perpage) {
2932 $output .= get_string('page') . ':';
2934 if (!empty($pagingbar->previouslink)) {
2935 $output .= ' (' . $pagingbar->previouslink . ') ';
2938 if (!empty($pagingbar->firstlink)) {
2939 $output .= ' ' . $pagingbar->firstlink . ' ...';
2942 foreach ($pagingbar->pagelinks as $link) {
2943 $output .= " $link";
2946 if (!empty($pagingbar->lastlink)) {
2947 $output .= ' ...' . $pagingbar->lastlink . ' ';
2950 if (!empty($pagingbar->nextlink)) {
2951 $output .= ' (' . $pagingbar->nextlink . ')';
2955 return html_writer::tag('div', $output, array('class' => 'paging'));
2959 * Output the place a skip link goes to.
2961 * @param string $id The target name from the corresponding $PAGE->requires->skip_link_to($target) call.
2962 * @return string the HTML to output.
2964 public function skip_link_target($id = null) {
2965 return html_writer::span('', '', array('id' => $id));
2969 * Outputs a heading
2971 * @param string $text The text of the heading
2972 * @param int $level The level of importance of the heading. Defaulting to 2
2973 * @param string $classes A space-separated list of CSS classes. Defaulting to null
2974 * @param string $id An optional ID
2975 * @return string the HTML to output.
2977 public function heading($text, $level = 2, $classes = null, $id = null) {
2978 $level = (integer) $level;
2979 if ($level < 1 or $level > 6) {
2980 throw new coding_exception('Heading level must be an integer between 1 and 6.');
2982 return html_writer::tag('h' . $level, $text, array('id' => $id, 'class' => renderer_base::prepare_classes($classes)));
2986 * Outputs a box.
2988 * @param string $contents The contents of the box
2989 * @param string $classes A space-separated list of CSS classes
2990 * @param string $id An optional ID
2991 * @param array $attributes An array of other attributes to give the box.
2992 * @return string the HTML to output.
2994 public function box($contents, $classes = 'generalbox', $id = null, $attributes = array()) {
2995 return $this->box_start($classes, $id, $attributes) . $contents . $this->box_end();
2999 * Outputs the opening section of a box.
3001 * @param string $classes A space-separated list of CSS classes
3002 * @param string $id An optional ID
3003 * @param array $attributes An array of other attributes to give the box.
3004 * @return string the HTML to output.
3006 public function box_start($classes = 'generalbox', $id = null, $attributes = array()) {
3007 $this->opencontainers->push('box', html_writer::end_tag('div'));
3008 $attributes['id'] = $id;
3009 $attributes['class'] = 'box ' . renderer_base::prepare_classes($classes);
3010 return html_writer::start_tag('div', $attributes);
3014 * Outputs the closing section of a box.
3016 * @return string the HTML to output.
3018 public function box_end() {
3019 return $this->opencontainers->pop('box');
3023 * Outputs a container.
3025 * @param string $contents The contents of the box
3026 * @param string $classes A space-separated list of CSS classes
3027 * @param string $id An optional ID
3028 * @return string the HTML to output.
3030 public function container($contents, $classes = null, $id = null) {
3031 return $this->container_start($classes, $id) . $contents . $this->container_end();
3035 * Outputs the opening section of a container.
3037 * @param string $classes A space-separated list of CSS classes
3038 * @param string $id An optional ID
3039 * @return string the HTML to output.
3041 public function container_start($classes = null, $id = null) {
3042 $this->opencontainers->push('container', html_writer::end_tag('div'));
3043 return html_writer::start_tag('div', array('id' => $id,
3044 'class' => renderer_base::prepare_classes($classes)));
3048 * Outputs the closing section of a container.
3050 * @return string the HTML to output.
3052 public function container_end() {
3053 return $this->opencontainers->pop('container');
3057 * Make nested HTML lists out of the items
3059 * The resulting list will look something like this:
3061 * <pre>
3062 * <<ul>>
3063 * <<li>><div class='tree_item parent'>(item contents)</div>
3064 * <<ul>
3065 * <<li>><div class='tree_item'>(item contents)</div><</li>>
3066 * <</ul>>
3067 * <</li>>
3068 * <</ul>>
3069 * </pre>
3071 * @param array $items
3072 * @param array $attrs html attributes passed to the top ofs the list
3073 * @return string HTML
3075 public function tree_block_contents($items, $attrs = array()) {
3076 // exit if empty, we don't want an empty ul element
3077 if (empty($items)) {
3078 return '';
3080 // array of nested li elements
3081 $lis = array();
3082 foreach ($items as $item) {
3083 // this applies to the li item which contains all child lists too
3084 $content = $item->content($this);
3085 $liclasses = array($item->get_css_type());
3086 if (!$item->forceopen || (!$item->forceopen && $item->collapse) || ($item->children->count()==0 && $item->nodetype==navigation_node::NODETYPE_BRANCH)) {
3087 $liclasses[] = 'collapsed';
3089 if ($item->isactive === true) {
3090 $liclasses[] = 'current_branch';
3092 $liattr = array('class'=>join(' ',$liclasses));
3093 // class attribute on the div item which only contains the item content
3094 $divclasses = array('tree_item');
3095 if ($item->children->count()>0 || $item->nodetype==navigation_node::NODETYPE_BRANCH) {
3096 $divclasses[] = 'branch';
3097 } else {
3098 $divclasses[] = 'leaf';
3100 if (!empty($item->classes) && count($item->classes)>0) {
3101 $divclasses[] = join(' ', $item->classes);
3103 $divattr = array('class'=>join(' ', $divclasses));
3104 if (!empty($item->id)) {
3105 $divattr['id'] = $item->id;
3107 $content = html_writer::tag('p', $content, $divattr) . $this->tree_block_contents($item->children);
3108 if (!empty($item->preceedwithhr) && $item->preceedwithhr===true) {
3109 $content = html_writer::empty_tag('hr') . $content;
3111 $content = html_writer::tag('li', $content, $liattr);
3112 $lis[] = $content;
3114 return html_writer::tag('ul', implode("\n", $lis), $attrs);
3118 * Construct a user menu, returning HTML that can be echoed out by a
3119 * layout file.
3121 * @param stdClass $user A user object, usually $USER.
3122 * @param bool $withlinks true if a dropdown should be built.
3123 * @return string HTML fragment.
3125 public function user_menu($user = null, $withlinks = null) {
3126 global $USER, $CFG;
3127 require_once($CFG->dirroot . '/user/lib.php');
3129 if (is_null($user)) {
3130 $user = $USER;
3133 // Note: this behaviour is intended to match that of core_renderer::login_info,
3134 // but should not be considered to be good practice; layout options are
3135 // intended to be theme-specific. Please don't copy this snippet anywhere else.
3136 if (is_null($withlinks)) {
3137 $withlinks = empty($this->page->layout_options['nologinlinks']);
3140 // Add a class for when $withlinks is false.
3141 $usermenuclasses = 'usermenu';
3142 if (!$withlinks) {
3143 $usermenuclasses .= ' withoutlinks';
3146 $returnstr = "";
3148 // If during initial install, return the empty return string.
3149 if (during_initial_install()) {
3150 return $returnstr;
3153 $loginpage = $this->is_login_page();
3154 $loginurl = get_login_url();
3155 // If not logged in, show the typical not-logged-in string.
3156 if (!isloggedin()) {
3157 $returnstr = get_string('loggedinnot', 'moodle');
3158 if (!$loginpage) {
3159 $returnstr .= " (<a href=\"$loginurl\">" . get_string('login') . '</a>)';
3161 return html_writer::div(
3162 html_writer::span(
3163 $returnstr,
3164 'login'
3166 $usermenuclasses
3171 // If logged in as a guest user, show a string to that effect.
3172 if (isguestuser()) {
3173 $returnstr = get_string('loggedinasguest');
3174 if (!$loginpage && $withlinks) {
3175 $returnstr .= " (<a href=\"$loginurl\">".get_string('login').'</a>)';
3178 return html_writer::div(
3179 html_writer::span(
3180 $returnstr,
3181 'login'
3183 $usermenuclasses
3187 // Get some navigation opts.
3188 $opts = user_get_user_navigation_info($user, $this->page);
3190 $avatarclasses = "avatars";
3191 $avatarcontents = html_writer::span($opts->metadata['useravatar'], 'avatar current');
3192 $usertextcontents = $opts->metadata['userfullname'];
3194 // Other user.
3195 if (!empty($opts->metadata['asotheruser'])) {
3196 $avatarcontents .= html_writer::span(
3197 $opts->metadata['realuseravatar'],
3198 'avatar realuser'
3200 $usertextcontents = $opts->metadata['realuserfullname'];
3201 $usertextcontents .= html_writer::tag(
3202 'span',
3203 get_string(
3204 'loggedinas',
3205 'moodle',
3206 html_writer::span(
3207 $opts->metadata['userfullname'],
3208 'value'
3211 array('class' => 'meta viewingas')
3215 // Role.
3216 if (!empty($opts->metadata['asotherrole'])) {
3217 $role = core_text::strtolower(preg_replace('#[ ]+#', '-', trim($opts->metadata['rolename'])));
3218 $usertextcontents .= html_writer::span(
3219 $opts->metadata['rolename'],
3220 'meta role role-' . $role
3224 // User login failures.
3225 if (!empty($opts->metadata['userloginfail'])) {
3226 $usertextcontents .= html_writer::span(
3227 $opts->metadata['userloginfail'],
3228 'meta loginfailures'
3232 // MNet.
3233 if (!empty($opts->metadata['asmnetuser'])) {
3234 $mnet = strtolower(preg_replace('#[ ]+#', '-', trim($opts->metadata['mnetidprovidername'])));
3235 $usertextcontents .= html_writer::span(
3236 $opts->metadata['mnetidprovidername'],
3237 'meta mnet mnet-' . $mnet
3241 $returnstr .= html_writer::span(
3242 html_writer::span($usertextcontents, 'usertext') .
3243 html_writer::span($avatarcontents, $avatarclasses),
3244 'userbutton'
3247 // Create a divider (well, a filler).
3248 $divider = new action_menu_filler();
3249 $divider->primary = false;
3251 $am = new action_menu();
3252 $am->initialise_js($this->page);
3253 $am->set_menu_trigger(
3254 $returnstr
3256 $am->set_alignment(action_menu::TR, action_menu::BR);
3257 $am->set_nowrap_on_items();
3258 if ($withlinks) {
3259 $navitemcount = count($opts->navitems);
3260 $idx = 0;
3261 foreach ($opts->navitems as $key => $value) {
3263 switch ($value->itemtype) {
3264 case 'divider':
3265 // If the nav item is a divider, add one and skip link processing.
3266 $am->add($divider);
3267 break;
3269 case 'invalid':
3270 // Silently skip invalid entries (should we post a notification?).
3271 break;
3273 case 'link':
3274 // Process this as a link item.
3275 $pix = null;
3276 if (isset($value->pix) && !empty($value->pix)) {
3277 $pix = new pix_icon($value->pix, $value->title, null, array('class' => 'iconsmall'));
3278 } else if (isset($value->imgsrc) && !empty($value->imgsrc)) {
3279 $value->title = html_writer::img(
3280 $value->imgsrc,
3281 $value->title,
3282 array('class' => 'iconsmall')
3283 ) . $value->title;
3285 $al = new action_menu_link_secondary(
3286 $value->url,
3287 $pix,
3288 $value->title,
3289 array('class' => 'icon')
3291 $am->add($al);
3292 break;
3295 $idx++;
3297 // Add dividers after the first item and before the last item.
3298 if ($idx == 1 || $idx == $navitemcount - 1) {
3299 $am->add($divider);
3304 return html_writer::div(
3305 $this->render($am),
3306 $usermenuclasses
3311 * Return the navbar content so that it can be echoed out by the layout
3313 * @return string XHTML navbar
3315 public function navbar() {
3316 $items = $this->page->navbar->get_items();
3317 $itemcount = count($items);
3318 if ($itemcount === 0) {
3319 return '';
3322 $htmlblocks = array();
3323 // Iterate the navarray and display each node
3324 $separator = get_separator();
3325 for ($i=0;$i < $itemcount;$i++) {
3326 $item = $items[$i];
3327 $item->hideicon = true;
3328 if ($i===0) {
3329 $content = html_writer::tag('li', $this->render($item));
3330 } else {
3331 $content = html_writer::tag('li', $separator.$this->render($item));
3333 $htmlblocks[] = $content;
3336 //accessibility: heading for navbar list (MDL-20446)
3337 $navbarcontent = html_writer::tag('span', get_string('pagepath'), array('class'=>'accesshide'));
3338 $navbarcontent .= html_writer::tag('nav', html_writer::tag('ul', join('', $htmlblocks)));
3339 // XHTML
3340 return $navbarcontent;
3344 * Renders a navigation node object.
3346 * @param navigation_node $item The navigation node to render.
3347 * @return string HTML fragment
3349 protected function render_navigation_node(navigation_node $item) {
3350 $content = $item->get_content();
3351 $title = $item->get_title();
3352 if ($item->icon instanceof renderable && !$item->hideicon) {
3353 $icon = $this->render($item->icon);
3354 $content = $icon.$content; // use CSS for spacing of icons
3356 if ($item->helpbutton !== null) {
3357 $content = trim($item->helpbutton).html_writer::tag('span', $content, array('class'=>'clearhelpbutton', 'tabindex'=>'0'));
3359 if ($content === '') {
3360 return '';
3362 if ($item->action instanceof action_link) {
3363 $link = $item->action;
3364 if ($item->hidden) {
3365 $link->add_class('dimmed');
3367 if (!empty($content)) {
3368 // Providing there is content we will use that for the link content.
3369 $link->text = $content;
3371 $content = $this->render($link);
3372 } else if ($item->action instanceof moodle_url) {
3373 $attributes = array();
3374 if ($title !== '') {
3375 $attributes['title'] = $title;
3377 if ($item->hidden) {
3378 $attributes['class'] = 'dimmed_text';
3380 $content = html_writer::link($item->action, $content, $attributes);
3382 } else if (is_string($item->action) || empty($item->action)) {
3383 $attributes = array('tabindex'=>'0'); //add tab support to span but still maintain character stream sequence.
3384 if ($title !== '') {
3385 $attributes['title'] = $title;
3387 if ($item->hidden) {
3388 $attributes['class'] = 'dimmed_text';
3390 $content = html_writer::tag('span', $content, $attributes);
3392 return $content;
3396 * Accessibility: Right arrow-like character is
3397 * used in the breadcrumb trail, course navigation menu
3398 * (previous/next activity), calendar, and search forum block.
3399 * If the theme does not set characters, appropriate defaults
3400 * are set automatically. Please DO NOT
3401 * use &lt; &gt; &raquo; - these are confusing for blind users.
3403 * @return string
3405 public function rarrow() {
3406 return $this->page->theme->rarrow;
3410 * Accessibility: Left arrow-like character is
3411 * used in the breadcrumb trail, course navigation menu
3412 * (previous/next activity), calendar, and search forum block.
3413 * If the theme does not set characters, appropriate defaults
3414 * are set automatically. Please DO NOT
3415 * use &lt; &gt; &raquo; - these are confusing for blind users.
3417 * @return string
3419 public function larrow() {
3420 return $this->page->theme->larrow;
3424 * Accessibility: Up arrow-like character is used in
3425 * the book heirarchical navigation.
3426 * If the theme does not set characters, appropriate defaults
3427 * are set automatically. Please DO NOT
3428 * use ^ - this is confusing for blind users.
3430 * @return string
3432 public function uarrow() {
3433 return $this->page->theme->uarrow;
3437 * Returns the custom menu if one has been set
3439 * A custom menu can be configured by browsing to
3440 * Settings: Administration > Appearance > Themes > Theme settings
3441 * and then configuring the custommenu config setting as described.
3443 * Theme developers: DO NOT OVERRIDE! Please override function
3444 * {@link core_renderer::render_custom_menu()} instead.
3446 * @param string $custommenuitems - custom menuitems set by theme instead of global theme settings
3447 * @return string
3449 public function custom_menu($custommenuitems = '') {
3450 global $CFG;
3451 if (empty($custommenuitems) && !empty($CFG->custommenuitems)) {
3452 $custommenuitems = $CFG->custommenuitems;
3454 if (empty($custommenuitems)) {
3455 return '';
3457 $custommenu = new custom_menu($custommenuitems, current_language());
3458 return $this->render($custommenu);
3462 * Renders a custom menu object (located in outputcomponents.php)
3464 * The custom menu this method produces makes use of the YUI3 menunav widget
3465 * and requires very specific html elements and classes.
3467 * @staticvar int $menucount
3468 * @param custom_menu $menu
3469 * @return string
3471 protected function render_custom_menu(custom_menu $menu) {
3472 static $menucount = 0;
3473 // If the menu has no children return an empty string
3474 if (!$menu->has_children()) {
3475 return '';
3477 // Increment the menu count. This is used for ID's that get worked with
3478 // in JavaScript as is essential
3479 $menucount++;
3480 // Initialise this custom menu (the custom menu object is contained in javascript-static
3481 $jscode = js_writer::function_call_with_Y('M.core_custom_menu.init', array('custom_menu_'.$menucount));
3482 $jscode = "(function(){{$jscode}})";
3483 $this->page->requires->yui_module('node-menunav', $jscode);
3484 // Build the root nodes as required by YUI
3485 $content = html_writer::start_tag('div', array('id'=>'custom_menu_'.$menucount, 'class'=>'yui3-menu yui3-menu-horizontal javascript-disabled custom-menu'));
3486 $content .= html_writer::start_tag('div', array('class'=>'yui3-menu-content'));
3487 $content .= html_writer::start_tag('ul');
3488 // Render each child
3489 foreach ($menu->get_children() as $item) {
3490 $content .= $this->render_custom_menu_item($item);
3492 // Close the open tags
3493 $content .= html_writer::end_tag('ul');
3494 $content .= html_writer::end_tag('div');
3495 $content .= html_writer::end_tag('div');
3496 // Return the custom menu
3497 return $content;
3501 * Renders a custom menu node as part of a submenu
3503 * The custom menu this method produces makes use of the YUI3 menunav widget
3504 * and requires very specific html elements and classes.
3506 * @see core:renderer::render_custom_menu()
3508 * @staticvar int $submenucount
3509 * @param custom_menu_item $menunode
3510 * @return string
3512 protected function render_custom_menu_item(custom_menu_item $menunode) {
3513 // Required to ensure we get unique trackable id's
3514 static $submenucount = 0;
3515 if ($menunode->has_children()) {
3516 // If the child has menus render it as a sub menu
3517 $submenucount++;
3518 $content = html_writer::start_tag('li');
3519 if ($menunode->get_url() !== null) {
3520 $url = $menunode->get_url();
3521 } else {
3522 $url = '#cm_submenu_'.$submenucount;
3524 $content .= html_writer::link($url, $menunode->get_text(), array('class'=>'yui3-menu-label', 'title'=>$menunode->get_title()));
3525 $content .= html_writer::start_tag('div', array('id'=>'cm_submenu_'.$submenucount, 'class'=>'yui3-menu custom_menu_submenu'));
3526 $content .= html_writer::start_tag('div', array('class'=>'yui3-menu-content'));
3527 $content .= html_writer::start_tag('ul');
3528 foreach ($menunode->get_children() as $menunode) {
3529 $content .= $this->render_custom_menu_item($menunode);
3531 $content .= html_writer::end_tag('ul');
3532 $content .= html_writer::end_tag('div');
3533 $content .= html_writer::end_tag('div');
3534 $content .= html_writer::end_tag('li');
3535 } else {
3536 // The node doesn't have children so produce a final menuitem.
3537 // Also, if the node's text matches '####', add a class so we can treat it as a divider.
3538 $content = '';
3539 if (preg_match("/^#+$/", $menunode->get_text())) {
3541 // This is a divider.
3542 $content = html_writer::start_tag('li', array('class' => 'yui3-menuitem divider'));
3543 } else {
3544 $content = html_writer::start_tag(
3545 'li',
3546 array(
3547 'class' => 'yui3-menuitem'
3550 if ($menunode->get_url() !== null) {
3551 $url = $menunode->get_url();
3552 } else {
3553 $url = '#';
3555 $content .= html_writer::link(
3556 $url,
3557 $menunode->get_text(),
3558 array('class' => 'yui3-menuitem-content', 'title' => $menunode->get_title())
3561 $content .= html_writer::end_tag('li');
3563 // Return the sub menu
3564 return $content;
3568 * Renders theme links for switching between default and other themes.
3570 * @return string
3572 protected function theme_switch_links() {
3574 $actualdevice = core_useragent::get_device_type();
3575 $currentdevice = $this->page->devicetypeinuse;
3576 $switched = ($actualdevice != $currentdevice);
3578 if (!$switched && $currentdevice == 'default' && $actualdevice == 'default') {
3579 // The user is using the a default device and hasn't switched so don't shown the switch
3580 // device links.
3581 return '';
3584 if ($switched) {
3585 $linktext = get_string('switchdevicerecommended');
3586 $devicetype = $actualdevice;
3587 } else {
3588 $linktext = get_string('switchdevicedefault');
3589 $devicetype = 'default';
3591 $linkurl = new moodle_url('/theme/switchdevice.php', array('url' => $this->page->url, 'device' => $devicetype, 'sesskey' => sesskey()));
3593 $content = html_writer::start_tag('div', array('id' => 'theme_switch_link'));
3594 $content .= html_writer::link($linkurl, $linktext, array('rel' => 'nofollow'));
3595 $content .= html_writer::end_tag('div');
3597 return $content;
3601 * Renders tabs
3603 * This function replaces print_tabs() used before Moodle 2.5 but with slightly different arguments
3605 * Theme developers: In order to change how tabs are displayed please override functions
3606 * {@link core_renderer::render_tabtree()} and/or {@link core_renderer::render_tabobject()}
3608 * @param array $tabs array of tabs, each of them may have it's own ->subtree
3609 * @param string|null $selected which tab to mark as selected, all parent tabs will
3610 * automatically be marked as activated
3611 * @param array|string|null $inactive list of ids of inactive tabs, regardless of
3612 * their level. Note that you can as weel specify tabobject::$inactive for separate instances
3613 * @return string
3615 public final function tabtree($tabs, $selected = null, $inactive = null) {
3616 return $this->render(new tabtree($tabs, $selected, $inactive));
3620 * Renders tabtree
3622 * @param tabtree $tabtree
3623 * @return string
3625 protected function render_tabtree(tabtree $tabtree) {
3626 if (empty($tabtree->subtree)) {
3627 return '';
3629 $str = '';
3630 $str .= html_writer::start_tag('div', array('class' => 'tabtree'));
3631 $str .= $this->render_tabobject($tabtree);
3632 $str .= html_writer::end_tag('div').
3633 html_writer::tag('div', ' ', array('class' => 'clearer'));
3634 return $str;
3638 * Renders tabobject (part of tabtree)
3640 * This function is called from {@link core_renderer::render_tabtree()}
3641 * and also it calls itself when printing the $tabobject subtree recursively.
3643 * Property $tabobject->level indicates the number of row of tabs.
3645 * @param tabobject $tabobject
3646 * @return string HTML fragment
3648 protected function render_tabobject(tabobject $tabobject) {
3649 $str = '';
3651 // Print name of the current tab.
3652 if ($tabobject instanceof tabtree) {
3653 // No name for tabtree root.
3654 } else if ($tabobject->inactive || $tabobject->activated || ($tabobject->selected && !$tabobject->linkedwhenselected)) {
3655 // Tab name without a link. The <a> tag is used for styling.
3656 $str .= html_writer::tag('a', html_writer::span($tabobject->text), array('class' => 'nolink moodle-has-zindex'));
3657 } else {
3658 // Tab name with a link.
3659 if (!($tabobject->link instanceof moodle_url)) {
3660 // backward compartibility when link was passed as quoted string
3661 $str .= "<a href=\"$tabobject->link\" title=\"$tabobject->title\"><span>$tabobject->text</span></a>";
3662 } else {
3663 $str .= html_writer::link($tabobject->link, html_writer::span($tabobject->text), array('title' => $tabobject->title));
3667 if (empty($tabobject->subtree)) {
3668 if ($tabobject->selected) {
3669 $str .= html_writer::tag('div', '&nbsp;', array('class' => 'tabrow'. ($tabobject->level + 1). ' empty'));
3671 return $str;
3674 // Print subtree.
3675 if ($tabobject->level == 0 || $tabobject->selected || $tabobject->activated) {
3676 $str .= html_writer::start_tag('ul', array('class' => 'tabrow'. $tabobject->level));
3677 $cnt = 0;
3678 foreach ($tabobject->subtree as $tab) {
3679 $liclass = '';
3680 if (!$cnt) {
3681 $liclass .= ' first';
3683 if ($cnt == count($tabobject->subtree) - 1) {
3684 $liclass .= ' last';
3686 if ((empty($tab->subtree)) && (!empty($tab->selected))) {
3687 $liclass .= ' onerow';
3690 if ($tab->selected) {
3691 $liclass .= ' here selected';
3692 } else if ($tab->activated) {
3693 $liclass .= ' here active';
3696 // This will recursively call function render_tabobject() for each item in subtree.
3697 $str .= html_writer::tag('li', $this->render($tab), array('class' => trim($liclass)));
3698 $cnt++;
3700 $str .= html_writer::end_tag('ul');
3703 return $str;
3707 * Get the HTML for blocks in the given region.
3709 * @since Moodle 2.5.1 2.6
3710 * @param string $region The region to get HTML for.
3711 * @return string HTML.
3713 public function blocks($region, $classes = array(), $tag = 'aside') {
3714 $displayregion = $this->page->apply_theme_region_manipulations($region);
3715 $classes = (array)$classes;
3716 $classes[] = 'block-region';
3717 $attributes = array(
3718 'id' => 'block-region-'.preg_replace('#[^a-zA-Z0-9_\-]+#', '-', $displayregion),
3719 'class' => join(' ', $classes),
3720 'data-blockregion' => $displayregion,
3721 'data-droptarget' => '1'
3723 if ($this->page->blocks->region_has_content($displayregion, $this)) {
3724 $content = $this->blocks_for_region($displayregion);
3725 } else {
3726 $content = '';
3728 return html_writer::tag($tag, $content, $attributes);
3732 * Renders a custom block region.
3734 * Use this method if you want to add an additional block region to the content of the page.
3735 * Please note this should only be used in special situations.
3736 * We want to leave the theme is control where ever possible!
3738 * This method must use the same method that the theme uses within its layout file.
3739 * As such it asks the theme what method it is using.
3740 * It can be one of two values, blocks or blocks_for_region (deprecated).
3742 * @param string $regionname The name of the custom region to add.
3743 * @return string HTML for the block region.
3745 public function custom_block_region($regionname) {
3746 if ($this->page->theme->get_block_render_method() === 'blocks') {
3747 return $this->blocks($regionname);
3748 } else {
3749 return $this->blocks_for_region($regionname);
3754 * Returns the CSS classes to apply to the body tag.
3756 * @since Moodle 2.5.1 2.6
3757 * @param array $additionalclasses Any additional classes to apply.
3758 * @return string
3760 public function body_css_classes(array $additionalclasses = array()) {
3761 // Add a class for each block region on the page.
3762 // We use the block manager here because the theme object makes get_string calls.
3763 $usedregions = array();
3764 foreach ($this->page->blocks->get_regions() as $region) {
3765 $additionalclasses[] = 'has-region-'.$region;
3766 if ($this->page->blocks->region_has_content($region, $this)) {
3767 $additionalclasses[] = 'used-region-'.$region;
3768 $usedregions[] = $region;
3769 } else {
3770 $additionalclasses[] = 'empty-region-'.$region;
3772 if ($this->page->blocks->region_completely_docked($region, $this)) {
3773 $additionalclasses[] = 'docked-region-'.$region;
3776 if (!$usedregions) {
3777 // No regions means there is only content, add 'content-only' class.
3778 $additionalclasses[] = 'content-only';
3779 } else if (count($usedregions) === 1) {
3780 // Add the -only class for the only used region.
3781 $region = array_shift($usedregions);
3782 $additionalclasses[] = $region . '-only';
3784 foreach ($this->page->layout_options as $option => $value) {
3785 if ($value) {
3786 $additionalclasses[] = 'layout-option-'.$option;
3789 $css = $this->page->bodyclasses .' '. join(' ', $additionalclasses);
3790 return $css;
3794 * The ID attribute to apply to the body tag.
3796 * @since Moodle 2.5.1 2.6
3797 * @return string
3799 public function body_id() {
3800 return $this->page->bodyid;
3804 * Returns HTML attributes to use within the body tag. This includes an ID and classes.
3806 * @since Moodle 2.5.1 2.6
3807 * @param string|array $additionalclasses Any additional classes to give the body tag,
3808 * @return string
3810 public function body_attributes($additionalclasses = array()) {
3811 if (!is_array($additionalclasses)) {
3812 $additionalclasses = explode(' ', $additionalclasses);
3814 return ' id="'. $this->body_id().'" class="'.$this->body_css_classes($additionalclasses).'"';
3818 * Gets HTML for the page heading.
3820 * @since Moodle 2.5.1 2.6
3821 * @param string $tag The tag to encase the heading in. h1 by default.
3822 * @return string HTML.
3824 public function page_heading($tag = 'h1') {
3825 return html_writer::tag($tag, $this->page->heading);
3829 * Gets the HTML for the page heading button.
3831 * @since Moodle 2.5.1 2.6
3832 * @return string HTML.
3834 public function page_heading_button() {
3835 return $this->page->button;
3839 * Returns the Moodle docs link to use for this page.
3841 * @since Moodle 2.5.1 2.6
3842 * @param string $text
3843 * @return string
3845 public function page_doc_link($text = null) {
3846 if ($text === null) {
3847 $text = get_string('moodledocslink');
3849 $path = page_get_doc_link_path($this->page);
3850 if (!$path) {
3851 return '';
3853 return $this->doc_link($path, $text);
3857 * Returns the page heading menu.
3859 * @since Moodle 2.5.1 2.6
3860 * @return string HTML.
3862 public function page_heading_menu() {
3863 return $this->page->headingmenu;
3867 * Returns the title to use on the page.
3869 * @since Moodle 2.5.1 2.6
3870 * @return string
3872 public function page_title() {
3873 return $this->page->title;
3877 * Returns the URL for the favicon.
3879 * @since Moodle 2.5.1 2.6
3880 * @return string The favicon URL
3882 public function favicon() {
3883 return $this->pix_url('favicon', 'theme');
3887 * Renders preferences groups.
3889 * @param preferences_groups $renderable The renderable
3890 * @return string The output.
3892 public function render_preferences_groups(preferences_groups $renderable) {
3893 $html = '';
3894 $html .= html_writer::start_div('row-fluid');
3895 $html .= html_writer::start_tag('div', array('class' => 'span12 preferences-groups'));
3896 $i = 0;
3897 $open = false;
3898 foreach ($renderable->groups as $group) {
3899 if ($i == 0 || $i % 3 == 0) {
3900 if ($open) {
3901 $html .= html_writer::end_tag('div');
3903 $html .= html_writer::start_tag('div', array('class' => 'row-fluid'));
3904 $open = true;
3906 $html .= $this->render($group);
3907 $i++;
3910 $html .= html_writer::end_tag('div');
3912 $html .= html_writer::end_tag('ul');
3913 $html .= html_writer::end_tag('div');
3914 $html .= html_writer::end_div();
3915 return $html;
3919 * Renders preferences group.
3921 * @param preferences_group $renderable The renderable
3922 * @return string The output.
3924 public function render_preferences_group(preferences_group $renderable) {
3925 $html = '';
3926 $html .= html_writer::start_tag('div', array('class' => 'span4 preferences-group'));
3927 $html .= $this->heading($renderable->title, 3);
3928 $html .= html_writer::start_tag('ul');
3929 foreach ($renderable->nodes as $node) {
3930 if ($node->has_children()) {
3931 debugging('Preferences nodes do not support children', DEBUG_DEVELOPER);
3933 $html .= html_writer::tag('li', $this->render($node));
3935 $html .= html_writer::end_tag('ul');
3936 $html .= html_writer::end_tag('div');
3937 return $html;
3941 * Returns the header bar.
3943 * @since Moodle 2.9
3944 * @param array $headerinfo An array of header information, dependant on what type of header is being displayed. The following
3945 * array example is user specific.
3946 * heading => Override the page heading.
3947 * user => User object.
3948 * usercontext => user context.
3949 * @param int $headinglevel What level the 'h' tag will be.
3950 * @return string HTML for the header bar.
3952 public function context_header($headerinfo = null, $headinglevel = 1) {
3953 global $DB, $USER, $CFG;
3954 $context = $this->page->context;
3955 // Make sure to use the heading if it has been set.
3956 if (isset($headerinfo['heading'])) {
3957 $heading = $headerinfo['heading'];
3958 } else {
3959 $heading = null;
3961 $imagedata = null;
3962 $subheader = null;
3963 $userbuttons = null;
3964 // The user context currently has images and buttons. Other contexts may follow.
3965 if (isset($headerinfo['user']) || $context->contextlevel == CONTEXT_USER) {
3966 if (isset($headerinfo['user'])) {
3967 $user = $headerinfo['user'];
3968 } else {
3969 // Look up the user information if it is not supplied.
3970 $user = $DB->get_record('user', array('id' => $context->instanceid));
3972 // If the user context is set, then use that for capability checks.
3973 if (isset($headerinfo['usercontext'])) {
3974 $context = $headerinfo['usercontext'];
3976 // Use the user's full name if the heading isn't set.
3977 if (!isset($heading)) {
3978 $heading = fullname($user);
3981 $imagedata = $this->user_picture($user, array('size' => 100));
3982 // Check to see if we should be displaying a message button.
3983 if (!empty($CFG->messaging) && $USER->id != $user->id && has_capability('moodle/site:sendmessage', $context)) {
3984 $userbuttons = array(
3985 'messages' => array(
3986 'buttontype' => 'message',
3987 'title' => get_string('message', 'message'),
3988 'url' => new moodle_url('/message/index.php', array('id' => $user->id)),
3989 'image' => 'message',
3990 'linkattributes' => message_messenger_sendmessage_link_params($user),
3991 'page' => $this->page
3994 $this->page->requires->string_for_js('changesmadereallygoaway', 'moodle');
3998 $contextheader = new context_header($heading, $headinglevel, $imagedata, $userbuttons);
3999 return $this->render_context_header($contextheader);
4003 * Renders the header bar.
4005 * @param context_header $contextheader Header bar object.
4006 * @return string HTML for the header bar.
4008 protected function render_context_header(context_header $contextheader) {
4010 // All the html stuff goes here.
4011 $html = html_writer::start_div('page-context-header');
4013 // Image data.
4014 if (isset($contextheader->imagedata)) {
4015 // Header specific image.
4016 $html .= html_writer::div($contextheader->imagedata, 'page-header-image');
4019 // Headings.
4020 if (!isset($contextheader->heading)) {
4021 $headings = $this->heading($this->page->heading, $contextheader->headinglevel);
4022 } else {
4023 $headings = $this->heading($contextheader->heading, $contextheader->headinglevel);
4026 $html .= html_writer::tag('div', $headings, array('class' => 'page-header-headings'));
4028 // Buttons.
4029 if (isset($contextheader->additionalbuttons)) {
4030 $html .= html_writer::start_div('btn-group header-button-group');
4031 foreach ($contextheader->additionalbuttons as $button) {
4032 if (!isset($button->page)) {
4033 // Include js for messaging.
4034 if ($button['buttontype'] === 'message') {
4035 message_messenger_requirejs();
4037 $image = $this->pix_icon($button['formattedimage'], $button['title'], 'moodle', array(
4038 'class' => 'iconsmall',
4039 'role' => 'presentation'
4041 $image .= html_writer::span($button['title'], 'header-button-title');
4042 } else {
4043 $image = html_writer::empty_tag('img', array(
4044 'src' => $button['formattedimage'],
4045 'role' => 'presentation'
4048 $html .= html_writer::link($button['url'], html_writer::tag('span', $image), $button['linkattributes']);
4050 $html .= html_writer::end_div();
4052 $html .= html_writer::end_div();
4054 return $html;
4058 * Wrapper for header elements.
4060 * @return string HTML to display the main header.
4062 public function full_header() {
4063 $html = html_writer::start_tag('header', array('id' => 'page-header', 'class' => 'clearfix'));
4064 $html .= $this->context_header();
4065 $html .= html_writer::start_div('clearfix', array('id' => 'page-navbar'));
4066 $html .= html_writer::tag('nav', $this->navbar(), array('class' => 'breadcrumb-nav'));
4067 $html .= html_writer::div($this->page_heading_button(), 'breadcrumb-button');
4068 $html .= html_writer::end_div();
4069 $html .= html_writer::tag('div', $this->course_header(), array('id' => 'course-header'));
4070 $html .= html_writer::end_tag('header');
4071 return $html;
4076 * A renderer that generates output for command-line scripts.
4078 * The implementation of this renderer is probably incomplete.
4080 * @copyright 2009 Tim Hunt
4081 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
4082 * @since Moodle 2.0
4083 * @package core
4084 * @category output
4086 class core_renderer_cli extends core_renderer {
4089 * Returns the page header.
4091 * @return string HTML fragment
4093 public function header() {
4094 return $this->page->heading . "\n";
4098 * Returns a template fragment representing a Heading.
4100 * @param string $text The text of the heading
4101 * @param int $level The level of importance of the heading
4102 * @param string $classes A space-separated list of CSS classes
4103 * @param string $id An optional ID
4104 * @return string A template fragment for a heading
4106 public function heading($text, $level = 2, $classes = 'main', $id = null) {
4107 $text .= "\n";
4108 switch ($level) {
4109 case 1:
4110 return '=>' . $text;
4111 case 2:
4112 return '-->' . $text;
4113 default:
4114 return $text;
4119 * Returns a template fragment representing a fatal error.
4121 * @param string $message The message to output
4122 * @param string $moreinfourl URL where more info can be found about the error
4123 * @param string $link Link for the Continue button
4124 * @param array $backtrace The execution backtrace
4125 * @param string $debuginfo Debugging information
4126 * @return string A template fragment for a fatal error
4128 public function fatal_error($message, $moreinfourl, $link, $backtrace, $debuginfo = null) {
4129 global $CFG;
4131 $output = "!!! $message !!!\n";
4133 if ($CFG->debugdeveloper) {
4134 if (!empty($debuginfo)) {
4135 $output .= $this->notification($debuginfo, 'notifytiny');
4137 if (!empty($backtrace)) {
4138 $output .= $this->notification('Stack trace: ' . format_backtrace($backtrace, true), 'notifytiny');
4142 return $output;
4146 * Returns a template fragment representing a notification.
4148 * @param string $message The message to include
4149 * @param string $classes A space-separated list of CSS classes
4150 * @return string A template fragment for a notification
4152 public function notification($message, $classes = 'notifyproblem') {
4153 $message = clean_text($message);
4154 if ($classes === 'notifysuccess') {
4155 return "++ $message ++\n";
4157 return "!! $message !!\n";
4161 * There is no footer for a cli request, however we must override the
4162 * footer method to prevent the default footer.
4164 public function footer() {}
4169 * A renderer that generates output for ajax scripts.
4171 * This renderer prevents accidental sends back only json
4172 * encoded error messages, all other output is ignored.
4174 * @copyright 2010 Petr Skoda
4175 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
4176 * @since Moodle 2.0
4177 * @package core
4178 * @category output
4180 class core_renderer_ajax extends core_renderer {
4183 * Returns a template fragment representing a fatal error.
4185 * @param string $message The message to output
4186 * @param string $moreinfourl URL where more info can be found about the error
4187 * @param string $link Link for the Continue button
4188 * @param array $backtrace The execution backtrace
4189 * @param string $debuginfo Debugging information
4190 * @return string A template fragment for a fatal error
4192 public function fatal_error($message, $moreinfourl, $link, $backtrace, $debuginfo = null) {
4193 global $CFG;
4195 $this->page->set_context(null); // ugly hack - make sure page context is set to something, we do not want bogus warnings here
4197 $e = new stdClass();
4198 $e->error = $message;
4199 $e->stacktrace = NULL;
4200 $e->debuginfo = NULL;
4201 $e->reproductionlink = NULL;
4202 if (!empty($CFG->debug) and $CFG->debug >= DEBUG_DEVELOPER) {
4203 $link = (string) $link;
4204 if ($link) {
4205 $e->reproductionlink = $link;
4207 if (!empty($debuginfo)) {
4208 $e->debuginfo = $debuginfo;
4210 if (!empty($backtrace)) {
4211 $e->stacktrace = format_backtrace($backtrace, true);
4214 $this->header();
4215 return json_encode($e);
4219 * Used to display a notification.
4220 * For the AJAX notifications are discarded.
4222 * @param string $message
4223 * @param string $classes
4225 public function notification($message, $classes = 'notifyproblem') {}
4228 * Used to display a redirection message.
4229 * AJAX redirections should not occur and as such redirection messages
4230 * are discarded.
4232 * @param moodle_url|string $encodedurl
4233 * @param string $message
4234 * @param int $delay
4235 * @param bool $debugdisableredirect
4237 public function redirect_message($encodedurl, $message, $delay, $debugdisableredirect) {}
4240 * Prepares the start of an AJAX output.
4242 public function header() {
4243 // unfortunately YUI iframe upload does not support application/json
4244 if (!empty($_FILES)) {
4245 @header('Content-type: text/plain; charset=utf-8');
4246 if (!core_useragent::supports_json_contenttype()) {
4247 @header('X-Content-Type-Options: nosniff');
4249 } else if (!core_useragent::supports_json_contenttype()) {
4250 @header('Content-type: text/plain; charset=utf-8');
4251 @header('X-Content-Type-Options: nosniff');
4252 } else {
4253 @header('Content-type: application/json; charset=utf-8');
4256 // Headers to make it not cacheable and json
4257 @header('Cache-Control: no-store, no-cache, must-revalidate');
4258 @header('Cache-Control: post-check=0, pre-check=0', false);
4259 @header('Pragma: no-cache');
4260 @header('Expires: Mon, 20 Aug 1969 09:23:00 GMT');
4261 @header('Last-Modified: ' . gmdate('D, d M Y H:i:s') . ' GMT');
4262 @header('Accept-Ranges: none');
4266 * There is no footer for an AJAX request, however we must override the
4267 * footer method to prevent the default footer.
4269 public function footer() {}
4272 * No need for headers in an AJAX request... this should never happen.
4273 * @param string $text
4274 * @param int $level
4275 * @param string $classes
4276 * @param string $id
4278 public function heading($text, $level = 2, $classes = 'main', $id = null) {}
4283 * Renderer for media files.
4285 * Used in file resources, media filter, and any other places that need to
4286 * output embedded media.
4288 * @copyright 2011 The Open University
4289 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
4291 class core_media_renderer extends plugin_renderer_base {
4292 /** @var array Array of available 'player' objects */
4293 private $players;
4294 /** @var string Regex pattern for links which may contain embeddable content */
4295 private $embeddablemarkers;
4298 * Constructor requires medialib.php.
4300 * This is needed in the constructor (not later) so that you can use the
4301 * constants and static functions that are defined in core_media class
4302 * before you call renderer functions.
4304 public function __construct() {
4305 global $CFG;
4306 require_once($CFG->libdir . '/medialib.php');
4310 * Obtains the list of core_media_player objects currently in use to render
4311 * items.
4313 * The list is in rank order (highest first) and does not include players
4314 * which are disabled.
4316 * @return array Array of core_media_player objects in rank order
4318 protected function get_players() {
4319 global $CFG;
4321 // Save time by only building the list once.
4322 if (!$this->players) {
4323 // Get raw list of players.
4324 $players = $this->get_players_raw();
4326 // Chuck all the ones that are disabled.
4327 foreach ($players as $key => $player) {
4328 if (!$player->is_enabled()) {
4329 unset($players[$key]);
4333 // Sort in rank order (highest first).
4334 usort($players, array('core_media_player', 'compare_by_rank'));
4335 $this->players = $players;
4337 return $this->players;
4341 * Obtains a raw list of player objects that includes objects regardless
4342 * of whether they are disabled or not, and without sorting.
4344 * You can override this in a subclass if you need to add additional
4345 * players.
4347 * The return array is be indexed by player name to make it easier to
4348 * remove players in a subclass.
4350 * @return array $players Array of core_media_player objects in any order
4352 protected function get_players_raw() {
4353 return array(
4354 'vimeo' => new core_media_player_vimeo(),
4355 'youtube' => new core_media_player_youtube(),
4356 'youtube_playlist' => new core_media_player_youtube_playlist(),
4357 'html5video' => new core_media_player_html5video(),
4358 'html5audio' => new core_media_player_html5audio(),
4359 'mp3' => new core_media_player_mp3(),
4360 'flv' => new core_media_player_flv(),
4361 'wmp' => new core_media_player_wmp(),
4362 'qt' => new core_media_player_qt(),
4363 'rm' => new core_media_player_rm(),
4364 'swf' => new core_media_player_swf(),
4365 'link' => new core_media_player_link(),
4370 * Renders a media file (audio or video) using suitable embedded player.
4372 * See embed_alternatives function for full description of parameters.
4373 * This function calls through to that one.
4375 * When using this function you can also specify width and height in the
4376 * URL by including ?d=100x100 at the end. If specified in the URL, this
4377 * will override the $width and $height parameters.
4379 * @param moodle_url $url Full URL of media file
4380 * @param string $name Optional user-readable name to display in download link
4381 * @param int $width Width in pixels (optional)
4382 * @param int $height Height in pixels (optional)
4383 * @param array $options Array of key/value pairs
4384 * @return string HTML content of embed
4386 public function embed_url(moodle_url $url, $name = '', $width = 0, $height = 0,
4387 $options = array()) {
4389 // Get width and height from URL if specified (overrides parameters in
4390 // function call).
4391 $rawurl = $url->out(false);
4392 if (preg_match('/[?#]d=([\d]{1,4}%?)x([\d]{1,4}%?)/', $rawurl, $matches)) {
4393 $width = $matches[1];
4394 $height = $matches[2];
4395 $url = new moodle_url(str_replace($matches[0], '', $rawurl));
4398 // Defer to array version of function.
4399 return $this->embed_alternatives(array($url), $name, $width, $height, $options);
4403 * Renders media files (audio or video) using suitable embedded player.
4404 * The list of URLs should be alternative versions of the same content in
4405 * multiple formats. If there is only one format it should have a single
4406 * entry.
4408 * If the media files are not in a supported format, this will give students
4409 * a download link to each format. The download link uses the filename
4410 * unless you supply the optional name parameter.
4412 * Width and height are optional. If specified, these are suggested sizes
4413 * and should be the exact values supplied by the user, if they come from
4414 * user input. These will be treated as relating to the size of the video
4415 * content, not including any player control bar.
4417 * For audio files, height will be ignored. For video files, a few formats
4418 * work if you specify only width, but in general if you specify width
4419 * you must specify height as well.
4421 * The $options array is passed through to the core_media_player classes
4422 * that render the object tag. The keys can contain values from
4423 * core_media::OPTION_xx.
4425 * @param array $alternatives Array of moodle_url to media files
4426 * @param string $name Optional user-readable name to display in download link
4427 * @param int $width Width in pixels (optional)
4428 * @param int $height Height in pixels (optional)
4429 * @param array $options Array of key/value pairs
4430 * @return string HTML content of embed
4432 public function embed_alternatives($alternatives, $name = '', $width = 0, $height = 0,
4433 $options = array()) {
4435 // Get list of player plugins (will also require the library).
4436 $players = $this->get_players();
4438 // Set up initial text which will be replaced by first player that
4439 // supports any of the formats.
4440 $out = core_media_player::PLACEHOLDER;
4442 // Loop through all players that support any of these URLs.
4443 foreach ($players as $player) {
4444 // Option: When no other player matched, don't do the default link player.
4445 if (!empty($options[core_media::OPTION_FALLBACK_TO_BLANK]) &&
4446 $player->get_rank() === 0 && $out === core_media_player::PLACEHOLDER) {
4447 continue;
4450 $supported = $player->list_supported_urls($alternatives, $options);
4451 if ($supported) {
4452 // Embed.
4453 $text = $player->embed($supported, $name, $width, $height, $options);
4455 // Put this in place of the 'fallback' slot in the previous text.
4456 $out = str_replace(core_media_player::PLACEHOLDER, $text, $out);
4460 // Remove 'fallback' slot from final version and return it.
4461 $out = str_replace(core_media_player::PLACEHOLDER, '', $out);
4462 if (!empty($options[core_media::OPTION_BLOCK]) && $out !== '') {
4463 $out = html_writer::tag('div', $out, array('class' => 'resourcecontent'));
4465 return $out;
4469 * Checks whether a file can be embedded. If this returns true you will get
4470 * an embedded player; if this returns false, you will just get a download
4471 * link.
4473 * This is a wrapper for can_embed_urls.
4475 * @param moodle_url $url URL of media file
4476 * @param array $options Options (same as when embedding)
4477 * @return bool True if file can be embedded
4479 public function can_embed_url(moodle_url $url, $options = array()) {
4480 return $this->can_embed_urls(array($url), $options);
4484 * Checks whether a file can be embedded. If this returns true you will get
4485 * an embedded player; if this returns false, you will just get a download
4486 * link.
4488 * @param array $urls URL of media file and any alternatives (moodle_url)
4489 * @param array $options Options (same as when embedding)
4490 * @return bool True if file can be embedded
4492 public function can_embed_urls(array $urls, $options = array()) {
4493 // Check all players to see if any of them support it.
4494 foreach ($this->get_players() as $player) {
4495 // Link player (always last on list) doesn't count!
4496 if ($player->get_rank() <= 0) {
4497 break;
4499 // First player that supports it, return true.
4500 if ($player->list_supported_urls($urls, $options)) {
4501 return true;
4504 return false;
4508 * Obtains a list of markers that can be used in a regular expression when
4509 * searching for URLs that can be embedded by any player type.
4511 * This string is used to improve peformance of regex matching by ensuring
4512 * that the (presumably C) regex code can do a quick keyword check on the
4513 * URL part of a link to see if it matches one of these, rather than having
4514 * to go into PHP code for every single link to see if it can be embedded.
4516 * @return string String suitable for use in regex such as '(\.mp4|\.flv)'
4518 public function get_embeddable_markers() {
4519 if (empty($this->embeddablemarkers)) {
4520 $markers = '';
4521 foreach ($this->get_players() as $player) {
4522 foreach ($player->get_embeddable_markers() as $marker) {
4523 if ($markers !== '') {
4524 $markers .= '|';
4526 $markers .= preg_quote($marker);
4529 $this->embeddablemarkers = $markers;
4531 return $this->embeddablemarkers;
4536 * The maintenance renderer.
4538 * The purpose of this renderer is to block out the core renderer methods that are not usable when the site
4539 * is running a maintenance related task.
4540 * It must always extend the core_renderer as we switch from the core_renderer to this renderer in a couple of places.
4542 * @since Moodle 2.6
4543 * @package core
4544 * @category output
4545 * @copyright 2013 Sam Hemelryk
4546 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
4548 class core_renderer_maintenance extends core_renderer {
4551 * Initialises the renderer instance.
4552 * @param moodle_page $page
4553 * @param string $target
4554 * @throws coding_exception
4556 public function __construct(moodle_page $page, $target) {
4557 if ($target !== RENDERER_TARGET_MAINTENANCE || $page->pagelayout !== 'maintenance') {
4558 throw new coding_exception('Invalid request for the maintenance renderer.');
4560 parent::__construct($page, $target);
4564 * Does nothing. The maintenance renderer cannot produce blocks.
4566 * @param block_contents $bc
4567 * @param string $region
4568 * @return string
4570 public function block(block_contents $bc, $region) {
4571 // Computer says no blocks.
4572 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4573 return '';
4577 * Does nothing. The maintenance renderer cannot produce blocks.
4579 * @param string $region
4580 * @param array $classes
4581 * @param string $tag
4582 * @return string
4584 public function blocks($region, $classes = array(), $tag = 'aside') {
4585 // Computer says no blocks.
4586 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4587 return '';
4591 * Does nothing. The maintenance renderer cannot produce blocks.
4593 * @param string $region
4594 * @return string
4596 public function blocks_for_region($region) {
4597 // Computer says no blocks for region.
4598 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4599 return '';
4603 * Does nothing. The maintenance renderer cannot produce a course content header.
4605 * @param bool $onlyifnotcalledbefore
4606 * @return string
4608 public function course_content_header($onlyifnotcalledbefore = false) {
4609 // Computer says no course content header.
4610 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4611 return '';
4615 * Does nothing. The maintenance renderer cannot produce a course content footer.
4617 * @param bool $onlyifnotcalledbefore
4618 * @return string
4620 public function course_content_footer($onlyifnotcalledbefore = false) {
4621 // Computer says no course content footer.
4622 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4623 return '';
4627 * Does nothing. The maintenance renderer cannot produce a course header.
4629 * @return string
4631 public function course_header() {
4632 // Computer says no course header.
4633 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4634 return '';
4638 * Does nothing. The maintenance renderer cannot produce a course footer.
4640 * @return string
4642 public function course_footer() {
4643 // Computer says no course footer.
4644 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4645 return '';
4649 * Does nothing. The maintenance renderer cannot produce a custom menu.
4651 * @param string $custommenuitems
4652 * @return string
4654 public function custom_menu($custommenuitems = '') {
4655 // Computer says no custom menu.
4656 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4657 return '';
4661 * Does nothing. The maintenance renderer cannot produce a file picker.
4663 * @param array $options
4664 * @return string
4666 public function file_picker($options) {
4667 // Computer says no file picker.
4668 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4669 return '';
4673 * Does nothing. The maintenance renderer cannot produce and HTML file tree.
4675 * @param array $dir
4676 * @return string
4678 public function htmllize_file_tree($dir) {
4679 // Hell no we don't want no htmllized file tree.
4680 // Also why on earth is this function on the core renderer???
4681 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4682 return '';
4687 * Does nothing. The maintenance renderer does not support JS.
4689 * @param block_contents $bc
4691 public function init_block_hider_js(block_contents $bc) {
4692 // Computer says no JavaScript.
4693 // Do nothing, ridiculous method.
4697 * Does nothing. The maintenance renderer cannot produce language menus.
4699 * @return string
4701 public function lang_menu() {
4702 // Computer says no lang menu.
4703 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4704 return '';
4708 * Does nothing. The maintenance renderer has no need for login information.
4710 * @param null $withlinks
4711 * @return string
4713 public function login_info($withlinks = null) {
4714 // Computer says no login info.
4715 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4716 return '';
4720 * Does nothing. The maintenance renderer cannot produce user pictures.
4722 * @param stdClass $user
4723 * @param array $options
4724 * @return string
4726 public function user_picture(stdClass $user, array $options = null) {
4727 // Computer says no user pictures.
4728 // debugging('Please do not use $OUTPUT->'.__FUNCTION__.'() when performing maintenance tasks.', DEBUG_DEVELOPER);
4729 return '';