MDL-41806 Add assessors to moodle_url class
[moodle.git] / lib / weblib.php
CommitLineData
449611af 1<?php
b868d3d9 2// This file is part of Moodle - http://moodle.org/
3//
449611af 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.
b868d3d9 13//
449611af 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/>.
f9903ed0 16
7cf1c7bd 17/**
18 * Library of functions for web output
19 *
20 * Library of all general-purpose Moodle PHP functions and constants
21 * that produce HTML output
22 *
23 * Other main libraries:
24 * - datalib.php - functions that access the database.
25 * - moodlelib.php - general-purpose Moodle functions.
449611af 26 *
78bfb562
PS
27 * @package core
28 * @subpackage lib
29 * @copyright 1999 onwards Martin Dougiamas {@link http://moodle.com}
30 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
7cf1c7bd 31 */
772e78be 32
78bfb562
PS
33defined('MOODLE_INTERNAL') || die();
34
2e1d38db 35// Constants.
0095d5cd 36
2e1d38db 37// Define text formatting types ... eventually we can add Wiki, BBcode etc.
7cf1c7bd 38
39/**
2e1d38db 40 * Does all sorts of transformations and filtering.
7cf1c7bd 41 */
2e1d38db 42define('FORMAT_MOODLE', '0');
7cf1c7bd 43
44/**
2e1d38db 45 * Plain HTML (with some tags stripped).
7cf1c7bd 46 */
2e1d38db 47define('FORMAT_HTML', '1');
7cf1c7bd 48
49/**
2e1d38db 50 * Plain text (even tags are printed in full).
7cf1c7bd 51 */
2e1d38db 52define('FORMAT_PLAIN', '2');
7cf1c7bd 53
54/**
2e1d38db 55 * Wiki-formatted text.
6a6495ff 56 * Deprecated: left here just to note that '3' is not used (at the moment)
57 * and to catch any latent wiki-like text (which generates an error)
2e1d38db 58 * @deprecated since 2005!
7cf1c7bd 59 */
2e1d38db 60define('FORMAT_WIKI', '3');
7cf1c7bd 61
62/**
63 * Markdown-formatted text http://daringfireball.net/projects/markdown/
64 */
2e1d38db 65define('FORMAT_MARKDOWN', '4');
0095d5cd 66
827b2f7a 67/**
2e1d38db 68 * A moodle_url comparison using this flag will return true if the base URLs match, params are ignored.
827b2f7a 69 */
70define('URL_MATCH_BASE', 0);
2e1d38db 71
827b2f7a 72/**
2e1d38db 73 * A moodle_url comparison using this flag will return true if the base URLs match and the params of url1 are part of url2.
827b2f7a 74 */
75define('URL_MATCH_PARAMS', 1);
2e1d38db 76
827b2f7a 77/**
2e1d38db 78 * A moodle_url comparison using this flag will return true if the two URLs are identical, except for the order of the params.
827b2f7a 79 */
80define('URL_MATCH_EXACT', 2);
7cf1c7bd 81
2e1d38db 82// Functions.
0095d5cd 83
7cf1c7bd 84/**
2e1d38db 85 * Add quotes to HTML characters.
7cf1c7bd 86 *
87 * Returns $var with HTML characters (like "<", ">", etc.) properly quoted.
88 * This function is very similar to {@link p()}
89 *
90 * @param string $var the string potentially containing HTML characters
91 * @return string
92 */
328ac306 93function s($var) {
d4a42ff4 94
328ac306 95 if ($var === false) {
63e554d0 96 return '0';
3662bce5 97 }
d4a42ff4 98
328ac306
TH
99 // When we move to PHP 5.4 as a minimum version, change ENT_QUOTES on the
100 // next line to ENT_QUOTES | ENT_HTML5 | ENT_SUBSTITUTE, and remove the
101 // 'UTF-8' argument. Both bring a speed-increase.
102 return preg_replace('/&amp;#(\d+|x[0-9a-f]+);/i', '&#$1;', htmlspecialchars($var, ENT_QUOTES, 'UTF-8'));
f9903ed0 103}
104
7cf1c7bd 105/**
2e1d38db 106 * Add quotes to HTML characters.
7cf1c7bd 107 *
d48b00b4 108 * Prints $var with HTML characters (like "<", ">", etc.) properly quoted.
449611af 109 * This function simply calls {@link s()}
110 * @see s()
111 *
112 * @todo Remove obsolete param $obsolete if not used anywhere
7cf1c7bd 113 *
114 * @param string $var the string potentially containing HTML characters
b4cf9371 115 * @param boolean $obsolete no longer used.
7cf1c7bd 116 * @return string
117 */
b4cf9371 118function p($var, $obsolete = false) {
119 echo s($var, $obsolete);
f9903ed0 120}
121
0d1cd0ea 122/**
123 * Does proper javascript quoting.
449611af 124 *
5ce73257 125 * Do not use addslashes anymore, because it does not work when magic_quotes_sybase is enabled.
126 *
449611af 127 * @param mixed $var String, Array, or Object to add slashes to
0d1cd0ea 128 * @return mixed quoted result
129 */
130function addslashes_js($var) {
131 if (is_string($var)) {
132 $var = str_replace('\\', '\\\\', $var);
133 $var = str_replace(array('\'', '"', "\n", "\r", "\0"), array('\\\'', '\\"', '\\n', '\\r', '\\0'), $var);
2e1d38db 134 $var = str_replace('</', '<\/', $var); // XHTML compliance.
0d1cd0ea 135 } else if (is_array($var)) {
136 $var = array_map('addslashes_js', $var);
137 } else if (is_object($var)) {
138 $a = get_object_vars($var);
2e1d38db
SH
139 foreach ($a as $key => $value) {
140 $a[$key] = addslashes_js($value);
0d1cd0ea 141 }
142 $var = (object)$a;
143 }
144 return $var;
145}
7cf1c7bd 146
7cf1c7bd 147/**
2e1d38db 148 * Remove query string from url.
7cf1c7bd 149 *
2e1d38db 150 * Takes in a URL and returns it without the querystring portion.
7cf1c7bd 151 *
2e1d38db
SH
152 * @param string $url the url which may have a query string attached.
153 * @return string The remaining URL.
7cf1c7bd 154 */
2e1d38db 155function strip_querystring($url) {
f9903ed0 156
b9b8ab69 157 if ($commapos = strpos($url, '?')) {
158 return substr($url, 0, $commapos);
159 } else {
160 return $url;
161 }
f9903ed0 162}
163
7cf1c7bd 164/**
2e1d38db 165 * Returns the URL of the HTTP_REFERER, less the querystring portion if required.
449611af 166 *
9ea04325 167 * @param boolean $stripquery if true, also removes the query part of the url.
2e1d38db 168 * @return string The resulting referer or empty string.
7cf1c7bd 169 */
c8135a35 170function get_referer($stripquery=true) {
d90ffc1f 171 if (isset($_SERVER['HTTP_REFERER'])) {
c8135a35 172 if ($stripquery) {
173 return strip_querystring($_SERVER['HTTP_REFERER']);
174 } else {
175 return $_SERVER['HTTP_REFERER'];
176 }
d90ffc1f 177 } else {
5ce73257 178 return '';
d90ffc1f 179 }
f9903ed0 180}
181
7cf1c7bd 182/**
183 * Returns the name of the current script, WITH the querystring portion.
449611af 184 *
185 * This function is necessary because PHP_SELF and REQUEST_URI and SCRIPT_NAME
7cf1c7bd 186 * return different things depending on a lot of things like your OS, Web
187 * server, and the way PHP is compiled (ie. as a CGI, module, ISAPI, etc.)
d48b00b4 188 * <b>NOTE:</b> This function returns false if the global variables needed are not set.
189 *
2e1d38db 190 * @return mixed String or false if the global variables needed are not set.
7cf1c7bd 191 */
b03fc392 192function me() {
193 global $ME;
194 return $ME;
f9903ed0 195}
196
7cf1c7bd 197/**
f0202ae9 198 * Guesses the full URL of the current script.
449611af 199 *
f0202ae9
PS
200 * This function is using $PAGE->url, but may fall back to $FULLME which
201 * is constructed from PHP_SELF and REQUEST_URI or SCRIPT_NAME
449611af 202 *
f0202ae9 203 * @return mixed full page URL string or false if unknown
7cf1c7bd 204 */
f9903ed0 205function qualified_me() {
f0202ae9
PS
206 global $FULLME, $PAGE, $CFG;
207
208 if (isset($PAGE) and $PAGE->has_set_url()) {
2e1d38db 209 // This is the only recommended way to find out current page.
f0202ae9
PS
210 return $PAGE->url->out(false);
211
212 } else {
213 if ($FULLME === null) {
2e1d38db 214 // CLI script most probably.
f0202ae9
PS
215 return false;
216 }
217 if (!empty($CFG->sslproxy)) {
2e1d38db 218 // Return only https links when using SSL proxy.
f0202ae9
PS
219 return preg_replace('/^http:/', 'https:', $FULLME, 1);
220 } else {
221 return $FULLME;
222 }
223 }
f9903ed0 224}
225
360e503e 226/**
227 * Class for creating and manipulating urls.
84e3d2cc 228 *
449611af 229 * It can be used in moodle pages where config.php has been included without any further includes.
230 *
49c8c8d2 231 * It is useful for manipulating urls with long lists of params.
fa9f6bf6 232 * One situation where it will be useful is a page which links to itself to perform various actions
449611af 233 * and / or to process form data. A moodle_url object :
49c8c8d2 234 * can be created for a page to refer to itself with all the proper get params being passed from page call to
235 * page call and methods can be used to output a url including all the params, optionally adding and overriding
449611af 236 * params and can also be used to
237 * - output the url without any get params
49c8c8d2 238 * - and output the params as hidden fields to be output within a form
449611af 239 *
2e1d38db 240 * @copyright 2007 jamiesensei
728ebac7 241 * @link http://docs.moodle.org/dev/lib/weblib.php_moodle_url See short write up here
449611af 242 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
2e1d38db 243 * @package core
360e503e 244 */
245class moodle_url {
2e1d38db 246
449611af 247 /**
a6855934
PS
248 * Scheme, ex.: http, https
249 * @var string
250 */
251 protected $scheme = '';
2e1d38db 252
a6855934 253 /**
2e1d38db 254 * Hostname.
449611af 255 * @var string
449611af 256 */
7ceb61d8 257 protected $host = '';
2e1d38db 258
a6855934 259 /**
2e1d38db
SH
260 * Port number, empty means default 80 or 443 in case of http.
261 * @var int
a6855934 262 */
7ceb61d8 263 protected $port = '';
2e1d38db 264
a6855934 265 /**
2e1d38db 266 * Username for http auth.
a6855934
PS
267 * @var string
268 */
7ceb61d8 269 protected $user = '';
2e1d38db 270
a6855934 271 /**
2e1d38db 272 * Password for http auth.
a6855934
PS
273 * @var string
274 */
7ceb61d8 275 protected $pass = '';
2e1d38db 276
a6855934 277 /**
2e1d38db 278 * Script path.
a6855934
PS
279 * @var string
280 */
7ceb61d8 281 protected $path = '';
2e1d38db 282
7dff555f 283 /**
2e1d38db 284 * Optional slash argument value.
7dff555f
PS
285 * @var string
286 */
287 protected $slashargument = '';
2e1d38db 288
449611af 289 /**
2e1d38db 290 * Anchor, may be also empty, null means none.
a6855934
PS
291 * @var string
292 */
293 protected $anchor = null;
2e1d38db 294
a6855934 295 /**
2e1d38db 296 * Url parameters as associative array.
49c8c8d2 297 * @var array
449611af 298 */
2e1d38db 299 protected $params = array();
84e3d2cc 300
360e503e 301 /**
a6855934 302 * Create new instance of moodle_url.
84e3d2cc 303 *
a6855934
PS
304 * @param moodle_url|string $url - moodle_url means make a copy of another
305 * moodle_url and change parameters, string means full url or shortened
306 * form (ex.: '/course/view.php'). It is strongly encouraged to not include
2284c694
TH
307 * query string because it may result in double encoded values. Use the
308 * $params instead. For admin URLs, just use /admin/script.php, this
309 * class takes care of the $CFG->admin issue.
a6855934 310 * @param array $params these params override current params or add new
61b223a6 311 * @param string $anchor The anchor to use as part of the URL if there is one.
2e1d38db 312 * @throws moodle_exception
360e503e 313 */
61b223a6 314 public function __construct($url, array $params = null, $anchor = null) {
a6855934 315 global $CFG;
2b3fcef9 316
a6855934 317 if ($url instanceof moodle_url) {
75781f87 318 $this->scheme = $url->scheme;
319 $this->host = $url->host;
320 $this->port = $url->port;
321 $this->user = $url->user;
322 $this->pass = $url->pass;
ad52c04f 323 $this->path = $url->path;
7dff555f 324 $this->slashargument = $url->slashargument;
75781f87 325 $this->params = $url->params;
a6855934 326 $this->anchor = $url->anchor;
2b3fcef9 327
75781f87 328 } else {
2e1d38db 329 // Detect if anchor used.
a6855934
PS
330 $apos = strpos($url, '#');
331 if ($apos !== false) {
332 $anchor = substr($url, $apos);
333 $anchor = ltrim($anchor, '#');
334 $this->set_anchor($anchor);
335 $url = substr($url, 0, $apos);
360e503e 336 }
a6855934 337
2e1d38db 338 // Normalise shortened form of our url ex.: '/course/view.php'.
a6855934 339 if (strpos($url, '/') === 0) {
2e1d38db
SH
340 // We must not use httpswwwroot here, because it might be url of other page,
341 // devs have to use httpswwwroot explicitly when creating new moodle_url.
a6855934 342 $url = $CFG->wwwroot.$url;
75781f87 343 }
a6855934 344
2e1d38db 345 // Now fix the admin links if needed, no need to mess with httpswwwroot.
a6855934
PS
346 if ($CFG->admin !== 'admin') {
347 if (strpos($url, "$CFG->wwwroot/admin/") === 0) {
348 $url = str_replace("$CFG->wwwroot/admin/", "$CFG->wwwroot/$CFG->admin/", $url);
349 }
350 }
351
2e1d38db 352 // Parse the $url.
a6855934
PS
353 $parts = parse_url($url);
354 if ($parts === false) {
75781f87 355 throw new moodle_exception('invalidurl');
360e503e 356 }
7ceb61d8 357 if (isset($parts['query'])) {
2e1d38db 358 // Note: the values may not be correctly decoded, url parameters should be always passed as array.
24a905f9 359 parse_str(str_replace('&amp;', '&', $parts['query']), $this->params);
360e503e 360 }
361 unset($parts['query']);
7ceb61d8 362 foreach ($parts as $key => $value) {
360e503e 363 $this->$key = $value;
364 }
7dff555f 365
2e1d38db 366 // Detect slashargument value from path - we do not support directory names ending with .php.
7dff555f
PS
367 $pos = strpos($this->path, '.php/');
368 if ($pos !== false) {
369 $this->slashargument = substr($this->path, $pos + 4);
370 $this->path = substr($this->path, 0, $pos + 4);
371 }
360e503e 372 }
2b3fcef9 373
75781f87 374 $this->params($params);
61b223a6
SH
375 if ($anchor !== null) {
376 $this->anchor = (string)$anchor;
377 }
84e3d2cc 378 }
7ceb61d8 379
360e503e 380 /**
2b3fcef9 381 * Add an array of params to the params for this url.
449611af 382 *
383 * The added params override existing ones if they have the same name.
360e503e 384 *
f8065dd2 385 * @param array $params Defaults to null. If null then returns all params.
449611af 386 * @return array Array of Params for url.
2e1d38db 387 * @throws coding_exception
360e503e 388 */
2b3fcef9
PS
389 public function params(array $params = null) {
390 $params = (array)$params;
391
2e1d38db 392 foreach ($params as $key => $value) {
2b3fcef9 393 if (is_int($key)) {
d8ae33a9 394 throw new coding_exception('Url parameters can not have numeric keys!');
2b3fcef9 395 }
27d6ab57 396 if (!is_string($value)) {
397 if (is_array($value)) {
398 throw new coding_exception('Url parameters values can not be arrays!');
399 }
400 if (is_object($value) and !method_exists($value, '__toString')) {
401 throw new coding_exception('Url parameters values can not be objects, unless __toString() is defined!');
402 }
2b3fcef9
PS
403 }
404 $this->params[$key] = (string)$value;
c1f41c59 405 }
2b3fcef9 406 return $this->params;
360e503e 407 }
84e3d2cc 408
360e503e 409 /**
49c8c8d2 410 * Remove all params if no arguments passed.
411 * Remove selected params if arguments are passed.
449611af 412 *
413 * Can be called as either remove_params('param1', 'param2')
75781f87 414 * or remove_params(array('param1', 'param2')).
360e503e 415 *
2e1d38db 416 * @param string[]|string $params,... either an array of param names, or 1..n string params to remove as args.
2b3fcef9 417 * @return array url parameters
360e503e 418 */
2b3fcef9 419 public function remove_params($params = null) {
75781f87 420 if (!is_array($params)) {
421 $params = func_get_args();
422 }
423 foreach ($params as $param) {
2b3fcef9 424 unset($this->params[$param]);
360e503e 425 }
2b3fcef9
PS
426 return $this->params;
427 }
428
429 /**
2e1d38db
SH
430 * Remove all url parameters.
431 *
432 * @todo remove the unused param.
433 * @param array $params Unused param
2b3fcef9
PS
434 * @return void
435 */
436 public function remove_all_params($params = null) {
437 $this->params = array();
7dff555f 438 $this->slashargument = '';
360e503e 439 }
440
441 /**
2b3fcef9 442 * Add a param to the params for this url.
449611af 443 *
2b3fcef9 444 * The added param overrides existing one if they have the same name.
360e503e 445 *
446 * @param string $paramname name
2b3fcef9
PS
447 * @param string $newvalue Param value. If new value specified current value is overriden or parameter is added
448 * @return mixed string parameter value, null if parameter does not exist
360e503e 449 */
2b3fcef9
PS
450 public function param($paramname, $newvalue = '') {
451 if (func_num_args() > 1) {
2e1d38db
SH
452 // Set new value.
453 $this->params(array($paramname => $newvalue));
2b3fcef9
PS
454 }
455 if (isset($this->params[$paramname])) {
5762b36e 456 return $this->params[$paramname];
cf615522 457 } else {
458 return null;
c1f41c59 459 }
360e503e 460 }
461
2b3fcef9
PS
462 /**
463 * Merges parameters and validates them
2e1d38db 464 *
2b3fcef9
PS
465 * @param array $overrideparams
466 * @return array merged parameters
2e1d38db 467 * @throws coding_exception
2b3fcef9
PS
468 */
469 protected function merge_overrideparams(array $overrideparams = null) {
470 $overrideparams = (array)$overrideparams;
471 $params = $this->params;
2e1d38db 472 foreach ($overrideparams as $key => $value) {
2b3fcef9 473 if (is_int($key)) {
cdefaa86 474 throw new coding_exception('Overridden parameters can not have numeric keys!');
2b3fcef9
PS
475 }
476 if (is_array($value)) {
cdefaa86 477 throw new coding_exception('Overridden parameters values can not be arrays!');
2b3fcef9
PS
478 }
479 if (is_object($value) and !method_exists($value, '__toString')) {
cdefaa86 480 throw new coding_exception('Overridden parameters values can not be objects, unless __toString() is defined!');
2b3fcef9
PS
481 }
482 $params[$key] = (string)$value;
483 }
484 return $params;
485 }
486
7ceb61d8 487 /**
488 * Get the params as as a query string.
2e1d38db 489 *
8afba50b 490 * This method should not be used outside of this method.
449611af 491 *
2e1d38db 492 * @param bool $escaped Use &amp; as params separator instead of plain &
7ceb61d8 493 * @param array $overrideparams params to add to the output params, these
494 * override existing ones with the same name.
495 * @return string query string that can be added to a url.
496 */
8afba50b 497 public function get_query_string($escaped = true, array $overrideparams = null) {
360e503e 498 $arr = array();
27d6ab57 499 if ($overrideparams !== null) {
500 $params = $this->merge_overrideparams($overrideparams);
501 } else {
502 $params = $this->params;
503 }
7ceb61d8 504 foreach ($params as $key => $val) {
ab82976f
TH
505 if (is_array($val)) {
506 foreach ($val as $index => $value) {
507 $arr[] = rawurlencode($key.'['.$index.']')."=".rawurlencode($value);
508 }
509 } else {
5c8f6817
SH
510 if (isset($val) && $val !== '') {
511 $arr[] = rawurlencode($key)."=".rawurlencode($val);
512 } else {
513 $arr[] = rawurlencode($key);
514 }
ab82976f 515 }
360e503e 516 }
c7f5e16a 517 if ($escaped) {
518 return implode('&amp;', $arr);
519 } else {
520 return implode('&', $arr);
521 }
360e503e 522 }
7ceb61d8 523
2b3fcef9
PS
524 /**
525 * Shortcut for printing of encoded URL.
2e1d38db 526 *
2b3fcef9
PS
527 * @return string
528 */
529 public function __toString() {
b9bc2019 530 return $this->out(true);
2b3fcef9
PS
531 }
532
360e503e 533 /**
2e1d38db 534 * Output url.
84e3d2cc 535 *
c7f5e16a 536 * If you use the returned URL in HTML code, you want the escaped ampersands. If you use
537 * the returned URL in HTTP headers, you want $escaped=false.
538 *
2e1d38db 539 * @param bool $escaped Use &amp; as params separator instead of plain &
b9bc2019 540 * @param array $overrideparams params to add to the output url, these override existing ones with the same name.
449611af 541 * @return string Resulting URL
360e503e 542 */
b9bc2019
PS
543 public function out($escaped = true, array $overrideparams = null) {
544 if (!is_bool($escaped)) {
545 debugging('Escape parameter must be of type boolean, '.gettype($escaped).' given instead.');
546 }
547
7dff555f 548 $uri = $this->out_omit_querystring().$this->slashargument;
244a32c6 549
8afba50b 550 $querystring = $this->get_query_string($escaped, $overrideparams);
7dff555f 551 if ($querystring !== '') {
eb788065
PS
552 $uri .= '?' . $querystring;
553 }
554 if (!is_null($this->anchor)) {
555 $uri .= '#'.$this->anchor;
360e503e 556 }
a6855934 557
84e3d2cc 558 return $uri;
360e503e 559 }
7ceb61d8 560
eb788065
PS
561 /**
562 * Returns url without parameters, everything before '?'.
5c6ee6ec
DM
563 *
564 * @param bool $includeanchor if {@link self::anchor} is defined, should it be returned?
eb788065
PS
565 * @return string
566 */
5c6ee6ec
DM
567 public function out_omit_querystring($includeanchor = false) {
568
eb788065
PS
569 $uri = $this->scheme ? $this->scheme.':'.((strtolower($this->scheme) == 'mailto') ? '':'//'): '';
570 $uri .= $this->user ? $this->user.($this->pass? ':'.$this->pass:'').'@':'';
571 $uri .= $this->host ? $this->host : '';
572 $uri .= $this->port ? ':'.$this->port : '';
573 $uri .= $this->path ? $this->path : '';
5c6ee6ec
DM
574 if ($includeanchor and !is_null($this->anchor)) {
575 $uri .= '#' . $this->anchor;
576 }
577
eb788065 578 return $uri;
b5d0cafc
PS
579 }
580
827b2f7a 581 /**
2e1d38db
SH
582 * Compares this moodle_url with another.
583 *
827b2f7a 584 * See documentation of constants for an explanation of the comparison flags.
2e1d38db 585 *
827b2f7a 586 * @param moodle_url $url The moodle_url object to compare
587 * @param int $matchtype The type of comparison (URL_MATCH_BASE, URL_MATCH_PARAMS, URL_MATCH_EXACT)
2e1d38db 588 * @return bool
827b2f7a 589 */
590 public function compare(moodle_url $url, $matchtype = URL_MATCH_EXACT) {
c705a24e 591
eb788065
PS
592 $baseself = $this->out_omit_querystring();
593 $baseother = $url->out_omit_querystring();
bf6c37c7 594
2e1d38db
SH
595 // Append index.php if there is no specific file.
596 if (substr($baseself, -1) == '/') {
bf6c37c7 597 $baseself .= 'index.php';
598 }
2e1d38db 599 if (substr($baseother, -1) == '/') {
bf6c37c7 600 $baseother .= 'index.php';
601 }
602
2e1d38db 603 // Compare the two base URLs.
bf6c37c7 604 if ($baseself != $baseother) {
827b2f7a 605 return false;
606 }
607
608 if ($matchtype == URL_MATCH_BASE) {
609 return true;
610 }
611
612 $urlparams = $url->params();
613 foreach ($this->params() as $param => $value) {
614 if ($param == 'sesskey') {
615 continue;
616 }
617 if (!array_key_exists($param, $urlparams) || $urlparams[$param] != $value) {
618 return false;
619 }
620 }
621
622 if ($matchtype == URL_MATCH_PARAMS) {
623 return true;
624 }
625
626 foreach ($urlparams as $param => $value) {
627 if ($param == 'sesskey') {
628 continue;
629 }
630 if (!array_key_exists($param, $this->params()) || $this->param($param) != $value) {
631 return false;
632 }
633 }
634
635 return true;
636 }
13b0b271
SH
637
638 /**
639 * Sets the anchor for the URI (the bit after the hash)
2e1d38db 640 *
a6855934 641 * @param string $anchor null means remove previous
13b0b271
SH
642 */
643 public function set_anchor($anchor) {
a6855934 644 if (is_null($anchor)) {
2e1d38db 645 // Remove.
a6855934
PS
646 $this->anchor = null;
647 } else if ($anchor === '') {
2e1d38db 648 // Special case, used as empty link.
a6855934
PS
649 $this->anchor = '';
650 } else if (preg_match('|[a-zA-Z\_\:][a-zA-Z0-9\_\-\.\:]*|', $anchor)) {
2e1d38db 651 // Match the anchor against the NMTOKEN spec.
a6855934
PS
652 $this->anchor = $anchor;
653 } else {
2e1d38db 654 // Bad luck, no valid anchor found.
a6855934 655 $this->anchor = null;
13b0b271
SH
656 }
657 }
7dff555f 658
4e40406d 659 /**
2e1d38db
SH
660 * Sets the url slashargument value.
661 *
4e40406d
PS
662 * @param string $path usually file path
663 * @param string $parameter name of page parameter if slasharguments not supported
664 * @param bool $supported usually null, then it depends on $CFG->slasharguments, use true or false for other servers
665 * @return void
666 */
2e1d38db 667 public function set_slashargument($path, $parameter = 'file', $supported = null) {
4e40406d
PS
668 global $CFG;
669 if (is_null($supported)) {
670 $supported = $CFG->slasharguments;
671 }
672
673 if ($supported) {
674 $parts = explode('/', $path);
675 $parts = array_map('rawurlencode', $parts);
676 $path = implode('/', $parts);
677 $this->slashargument = $path;
678 unset($this->params[$parameter]);
679
680 } else {
681 $this->slashargument = '';
682 $this->params[$parameter] = $path;
683 }
684 }
685
2e1d38db 686 // Static factory methods.
7dff555f
PS
687
688 /**
acdb9177 689 * General moodle file url.
2e1d38db 690 *
acdb9177
PS
691 * @param string $urlbase the script serving the file
692 * @param string $path
7dff555f
PS
693 * @param bool $forcedownload
694 * @return moodle_url
695 */
f28ee49e 696 public static function make_file_url($urlbase, $path, $forcedownload = false) {
7dff555f 697 $params = array();
7dff555f
PS
698 if ($forcedownload) {
699 $params['forcedownload'] = 1;
700 }
acdb9177 701
4e40406d
PS
702 $url = new moodle_url($urlbase, $params);
703 $url->set_slashargument($path);
4e40406d 704 return $url;
7dff555f
PS
705 }
706
707 /**
708 * Factory method for creation of url pointing to plugin file.
2e1d38db 709 *
7dff555f
PS
710 * Please note this method can be used only from the plugins to
711 * create urls of own files, it must not be used outside of plugins!
2e1d38db 712 *
7dff555f 713 * @param int $contextid
f28ee49e 714 * @param string $component
7dff555f
PS
715 * @param string $area
716 * @param int $itemid
717 * @param string $pathname
718 * @param string $filename
719 * @param bool $forcedownload
720 * @return moodle_url
721 */
2e1d38db
SH
722 public static function make_pluginfile_url($contextid, $component, $area, $itemid, $pathname, $filename,
723 $forcedownload = false) {
7dff555f
PS
724 global $CFG;
725 $urlbase = "$CFG->httpswwwroot/pluginfile.php";
2e1d38db 726 if ($itemid === null) {
f28ee49e
PS
727 return self::make_file_url($urlbase, "/$contextid/$component/$area".$pathname.$filename, $forcedownload);
728 } else {
729 return self::make_file_url($urlbase, "/$contextid/$component/$area/$itemid".$pathname.$filename, $forcedownload);
730 }
7dff555f
PS
731 }
732
733 /**
2e1d38db
SH
734 * Factory method for creation of url pointing to draft file of current user.
735 *
37416d5d 736 * @param int $draftid draft item id
7dff555f
PS
737 * @param string $pathname
738 * @param string $filename
739 * @param bool $forcedownload
740 * @return moodle_url
741 */
37416d5d 742 public static function make_draftfile_url($draftid, $pathname, $filename, $forcedownload = false) {
7dff555f
PS
743 global $CFG, $USER;
744 $urlbase = "$CFG->httpswwwroot/draftfile.php";
b0c6dc1c 745 $context = context_user::instance($USER->id);
7dff555f 746
37416d5d 747 return self::make_file_url($urlbase, "/$context->id/user/draft/$draftid".$pathname.$filename, $forcedownload);
7dff555f 748 }
ed77a56f
PS
749
750 /**
2e1d38db
SH
751 * Factory method for creating of links to legacy course files.
752 *
ed77a56f
PS
753 * @param int $courseid
754 * @param string $filepath
755 * @param bool $forcedownload
756 * @return moodle_url
757 */
f28ee49e 758 public static function make_legacyfile_url($courseid, $filepath, $forcedownload = false) {
ed77a56f
PS
759 global $CFG;
760
acdb9177
PS
761 $urlbase = "$CFG->wwwroot/file.php";
762 return self::make_file_url($urlbase, '/'.$courseid.'/'.$filepath, $forcedownload);
ed77a56f 763 }
48ddc9bf
DP
764
765 /**
766 * Returns URL a relative path from $CFG->wwwroot
767 *
768 * Can be used for passing around urls with the wwwroot stripped
769 *
770 * @param boolean $escaped Use &amp; as params separator instead of plain &
771 * @param array $overrideparams params to add to the output url, these override existing ones with the same name.
772 * @return string Resulting URL
773 * @throws coding_exception if called on a non-local url
774 */
775 public function out_as_local_url($escaped = true, array $overrideparams = null) {
776 global $CFG;
777
778 $url = $this->out($escaped, $overrideparams);
72b181ba
RT
779 $httpswwwroot = str_replace("http://", "https://", $CFG->wwwroot);
780
2e1d38db 781 // Url should be equal to wwwroot or httpswwwroot. If not then throw exception.
72b181ba
RT
782 if (($url === $CFG->wwwroot) || (strpos($url, $CFG->wwwroot.'/') === 0)) {
783 $localurl = substr($url, strlen($CFG->wwwroot));
784 return !empty($localurl) ? $localurl : '';
785 } else if (($url === $httpswwwroot) || (strpos($url, $httpswwwroot.'/') === 0)) {
786 $localurl = substr($url, strlen($httpswwwroot));
787 return !empty($localurl) ? $localurl : '';
788 } else {
48ddc9bf
DP
789 throw new coding_exception('out_as_local_url called on a non-local URL');
790 }
48ddc9bf 791 }
ffe4de97 792
793 /**
794 * Returns the 'path' portion of a URL. For example, if the URL is
795 * http://www.example.org:447/my/file/is/here.txt?really=1 then this will
796 * return '/my/file/is/here.txt'.
797 *
798 * By default the path includes slash-arguments (for example,
799 * '/myfile.php/extra/arguments') so it is what you would expect from a
800 * URL path. If you don't want this behaviour, you can opt to exclude the
a3c17aed 801 * slash arguments. (Be careful: if the $CFG variable slasharguments is
802 * disabled, these URLs will have a different format and you may need to
803 * look at the 'file' parameter too.)
ffe4de97 804 *
805 * @param bool $includeslashargument If true, includes slash arguments
806 * @return string Path of URL
807 */
808 public function get_path($includeslashargument = true) {
809 return $this->path . ($includeslashargument ? $this->slashargument : '');
810 }
a3c17aed 811
812 /**
813 * Returns a given parameter value from the URL.
814 *
815 * @param string $name Name of parameter
816 * @return string Value of parameter or null if not set
817 */
818 public function get_param($name) {
819 if (array_key_exists($name, $this->params)) {
820 return $this->params[$name];
821 } else {
822 return null;
823 }
824 }
d06ffbdf
SC
825
826 /**
827 * Returns the 'scheme' portion of a URL. For example, if the URL is
828 * http://www.example.org:447/my/file/is/here.txt?really=1 then this will
829 * return 'http' (without the colon).
830 *
831 * @return string Scheme of the URL.
832 */
833 public function get_scheme() {
834 return $this->scheme;
835 }
836
837 /**
838 * Returns the 'host' portion of a URL. For example, if the URL is
839 * http://www.example.org:447/my/file/is/here.txt?really=1 then this will
840 * return 'www.example.org'.
841 *
842 * @return string Host of the URL.
843 */
844 public function get_host() {
845 return $this->host;
846 }
847
848 /**
849 * Returns the 'port' portion of a URL. For example, if the URL is
850 * http://www.example.org:447/my/file/is/here.txt?really=1 then this will
851 * return '447'.
852 *
853 * @return string Port of the URL.
854 */
855 public function get_port() {
856 return $this->port;
857 }
360e503e 858}
859
7cf1c7bd 860/**
861 * Determine if there is data waiting to be processed from a form
862 *
863 * Used on most forms in Moodle to check for data
864 * Returns the data as an object, if it's found.
865 * This object can be used in foreach loops without
866 * casting because it's cast to (array) automatically
772e78be 867 *
9c0f063b 868 * Checks that submitted POST data exists and returns it as object.
d48b00b4 869 *
9c0f063b 870 * @return mixed false or object
7cf1c7bd 871 */
294ce987 872function data_submitted() {
d48b00b4 873
607809b3 874 if (empty($_POST)) {
36b4f985 875 return false;
876 } else {
78fcdb5f 877 return (object)fix_utf8($_POST);
36b4f985 878 }
879}
880
7cf1c7bd 881/**
d48b00b4 882 * Given some normal text this function will break up any
883 * long words to a given size by inserting the given character
884 *
6aaa17c7 885 * It's multibyte savvy and doesn't change anything inside html tags.
886 *
7cf1c7bd 887 * @param string $string the string to be modified
89dcb99d 888 * @param int $maxsize maximum length of the string to be returned
7cf1c7bd 889 * @param string $cutchar the string used to represent word breaks
890 * @return string
891 */
4a5644e5 892function break_up_long_words($string, $maxsize=20, $cutchar=' ') {
a2b3f884 893
2e1d38db 894 // First of all, save all the tags inside the text to skip them.
6aaa17c7 895 $tags = array();
2e1d38db 896 filter_save_tags($string, $tags);
5b07d990 897
2e1d38db 898 // Process the string adding the cut when necessary.
4a5644e5 899 $output = '';
2f1e464a 900 $length = core_text::strlen($string);
4a5644e5 901 $wordlength = 0;
902
903 for ($i=0; $i<$length; $i++) {
2f1e464a 904 $char = core_text::substr($string, $i, 1);
6aaa17c7 905 if ($char == ' ' or $char == "\t" or $char == "\n" or $char == "\r" or $char == "<" or $char == ">") {
4a5644e5 906 $wordlength = 0;
907 } else {
908 $wordlength++;
909 if ($wordlength > $maxsize) {
910 $output .= $cutchar;
911 $wordlength = 0;
912 }
913 }
914 $output .= $char;
915 }
6aaa17c7 916
2e1d38db 917 // Finally load the tags back again.
6aaa17c7 918 if (!empty($tags)) {
919 $output = str_replace(array_keys($tags), $tags, $output);
920 }
921
4a5644e5 922 return $output;
923}
924
de6d81e6 925/**
b166403f 926 * Try and close the current window using JavaScript, either immediately, or after a delay.
449611af 927 *
928 * Echo's out the resulting XHTML & javascript
929 *
b166403f 930 * @param integer $delay a delay in seconds before closing the window. Default 0.
931 * @param boolean $reloadopener if true, we will see if this window was a pop-up, and try
932 * to reload the parent window before this one closes.
08396bb2 933 */
b166403f 934function close_window($delay = 0, $reloadopener = false) {
f6794ace 935 global $PAGE, $OUTPUT;
08396bb2 936
c13a5e71 937 if (!$PAGE->headerprinted) {
de6d81e6 938 $PAGE->set_title(get_string('closewindow'));
939 echo $OUTPUT->header();
b166403f 940 } else {
f6794ace 941 $OUTPUT->container_end_all(false);
b166403f 942 }
943
944 if ($reloadopener) {
87113602
TH
945 // Trigger the reload immediately, even if the reload is after a delay.
946 $PAGE->requires->js_function_call('window.opener.location.reload', array(true));
b166403f 947 }
87113602 948 $OUTPUT->notification(get_string('windowclosing'), 'notifysuccess');
cf615522 949
87113602 950 $PAGE->requires->js_function_call('close_window', array(new stdClass()), false, $delay);
b166403f 951
7e0d6675 952 echo $OUTPUT->footer();
b166403f 953 exit;
954}
08396bb2 955
28fbce88 956/**
2e1d38db
SH
957 * Returns a string containing a link to the user documentation for the current page.
958 *
959 * Also contains an icon by default. Shown to teachers and admin only.
28fbce88 960 *
28fbce88 961 * @param string $text The text to be displayed for the link
28fbce88 962 * @return string The link to user documentation for this current page
963 */
8ae8bf8a 964function page_doc_link($text='') {
06a72e01
SH
965 global $OUTPUT, $PAGE;
966 $path = page_get_doc_link_path($PAGE);
967 if (!$path) {
968 return '';
969 }
970 return $OUTPUT->doc_link($path, $text);
971}
972
973/**
974 * Returns the path to use when constructing a link to the docs.
975 *
976 * @since 2.5.1 2.6
06a72e01
SH
977 * @param moodle_page $page
978 * @return string
979 */
980function page_get_doc_link_path(moodle_page $page) {
981 global $CFG;
28fbce88 982
983 if (empty($CFG->docroot) || during_initial_install()) {
984 return '';
985 }
06a72e01 986 if (!has_capability('moodle/site:doclinks', $page->context)) {
28fbce88 987 return '';
988 }
989
06a72e01 990 $path = $page->docspath;
28fbce88 991 if (!$path) {
992 return '';
993 }
06a72e01 994 return $path;
28fbce88 995}
996
14040797 997
d48b00b4 998/**
999 * Validates an email to make sure it makes sense.
1000 *
1001 * @param string $address The email address to validate.
1002 * @return boolean
1003 */
89dcb99d 1004function validate_email($address) {
d48b00b4 1005
69593309
AD
1006 return (preg_match('#^[-!\#$%&\'*+\\/0-9=?A-Z^_`a-z{|}~]+'.
1007 '(\.[-!\#$%&\'*+\\/0-9=?A-Z^_`a-z{|}~]+)*'.
f9903ed0 1008 '@'.
69593309
AD
1009 '[-!\#$%&\'*+\\/0-9=?A-Z^_`a-z{|}~]+\.'.
1010 '[-!\#$%&\'*+\\./0-9=?A-Z^_`a-z{|}~]+$#',
f9903ed0 1011 $address));
1012}
1013
690f358b 1014/**
1015 * Extracts file argument either from file parameter or PATH_INFO
2e1d38db 1016 *
11e7b506 1017 * Note: $scriptname parameter is not needed anymore
690f358b 1018 *
690f358b 1019 * @return string file path (only safe characters)
1020 */
11e7b506 1021function get_file_argument() {
1022 global $SCRIPT;
690f358b 1023
2e1d38db 1024 $relativepath = optional_param('file', false, PARAM_PATH);
690f358b 1025
c281862a
PS
1026 if ($relativepath !== false and $relativepath !== '') {
1027 return $relativepath;
1028 }
1029 $relativepath = false;
1030
2e1d38db 1031 // Then try extract file from the slasharguments.
c281862a
PS
1032 if (stripos($_SERVER['SERVER_SOFTWARE'], 'iis') !== false) {
1033 // NOTE: ISS tends to convert all file paths to single byte DOS encoding,
1034 // we can not use other methods because they break unicode chars,
2e1d38db 1035 // the only way is to use URL rewriting.
c281862a 1036 if (isset($_SERVER['PATH_INFO']) and $_SERVER['PATH_INFO'] !== '') {
2e1d38db 1037 // Check that PATH_INFO works == must not contain the script name.
c281862a
PS
1038 if (strpos($_SERVER['PATH_INFO'], $SCRIPT) === false) {
1039 $relativepath = clean_param(urldecode($_SERVER['PATH_INFO']), PARAM_PATH);
1040 }
1041 }
1042 } else {
2e1d38db 1043 // All other apache-like servers depend on PATH_INFO.
c281862a
PS
1044 if (isset($_SERVER['PATH_INFO'])) {
1045 if (isset($_SERVER['SCRIPT_NAME']) and strpos($_SERVER['PATH_INFO'], $_SERVER['SCRIPT_NAME']) === 0) {
1046 $relativepath = substr($_SERVER['PATH_INFO'], strlen($_SERVER['SCRIPT_NAME']));
1047 } else {
1048 $relativepath = $_SERVER['PATH_INFO'];
1049 }
1050 $relativepath = clean_param($relativepath, PARAM_PATH);
690f358b 1051 }
1052 }
1053
690f358b 1054 return $relativepath;
1055}
1056
d48b00b4 1057/**
89dcb99d 1058 * Just returns an array of text formats suitable for a popup menu
d48b00b4 1059 *
89dcb99d 1060 * @return array
d48b00b4 1061 */
0095d5cd 1062function format_text_menu() {
b0ccd3fb 1063 return array (FORMAT_MOODLE => get_string('formattext'),
2e1d38db
SH
1064 FORMAT_HTML => get_string('formathtml'),
1065 FORMAT_PLAIN => get_string('formatplain'),
1066 FORMAT_MARKDOWN => get_string('formatmarkdown'));
0095d5cd 1067}
1068
d48b00b4 1069/**
2e1d38db 1070 * Given text in a variety of format codings, this function returns the text as safe HTML.
d48b00b4 1071 *
c5659019 1072 * This function should mainly be used for long strings like posts,
2e1d38db 1073 * answers, glossary items etc. For short strings {@link format_string()}.
e8276c10 1074 *
367a75fa
SH
1075 * <pre>
1076 * Options:
1077 * trusted : If true the string won't be cleaned. Default false required noclean=true.
1078 * noclean : If true the string won't be cleaned. Default false required trusted=true.
1079 * nocache : If true the strign will not be cached and will be formatted every call. Default false.
1080 * filter : If true the string will be run through applicable filters as well. Default true.
1081 * para : If true then the returned string will be wrapped in div tags. Default true.
1082 * newlines : If true then lines newline breaks will be converted to HTML newline breaks. Default true.
1083 * context : The context that will be used for filtering.
1084 * overflowdiv : If set to true the formatted text will be encased in a div
1085 * with the class no-overflow before being returned. Default false.
b031caf8 1086 * allowid : If true then id attributes will not be removed, even when
1087 * using htmlpurifier. Default false.
367a75fa
SH
1088 * </pre>
1089 *
449611af 1090 * @staticvar array $croncache
89dcb99d 1091 * @param string $text The text to be formatted. This is raw text originally from user input.
772e78be 1092 * @param int $format Identifier of the text format to be used
35716b86
PS
1093 * [FORMAT_MOODLE, FORMAT_HTML, FORMAT_PLAIN, FORMAT_MARKDOWN]
1094 * @param object/array $options text formatting options
2e1d38db 1095 * @param int $courseiddonotuse deprecated course id, use context option instead
89dcb99d 1096 * @return string
d48b00b4 1097 */
2e1d38db
SH
1098function format_text($text, $format = FORMAT_MOODLE, $options = null, $courseiddonotuse = null) {
1099 global $CFG, $DB, $PAGE;
1cc54a45 1100 static $croncache = array();
795a08ad 1101
6e571603 1102 if ($text === '' || is_null($text)) {
2e1d38db
SH
1103 // No need to do any filters and cleaning.
1104 return '';
d53ca6ad 1105 }
1bcb7eb5 1106
2e1d38db
SH
1107 // Detach object, we can not modify it.
1108 $options = (array)$options;
d53ca6ad 1109
35716b86
PS
1110 if (!isset($options['trusted'])) {
1111 $options['trusted'] = false;
7d8a3cb0 1112 }
35716b86
PS
1113 if (!isset($options['noclean'])) {
1114 if ($options['trusted'] and trusttext_active()) {
2e1d38db 1115 // No cleaning if text trusted and noclean not specified.
35716b86 1116 $options['noclean'] = true;
cbc2b5df 1117 } else {
35716b86 1118 $options['noclean'] = false;
cbc2b5df 1119 }
e7a47153 1120 }
35716b86
PS
1121 if (!isset($options['nocache'])) {
1122 $options['nocache'] = false;
a17c57b5 1123 }
35716b86
PS
1124 if (!isset($options['filter'])) {
1125 $options['filter'] = true;
e7a47153 1126 }
35716b86
PS
1127 if (!isset($options['para'])) {
1128 $options['para'] = true;
e7a47153 1129 }
35716b86
PS
1130 if (!isset($options['newlines'])) {
1131 $options['newlines'] = true;
f0aa2fed 1132 }
367a75fa
SH
1133 if (!isset($options['overflowdiv'])) {
1134 $options['overflowdiv'] = false;
1135 }
35716b86 1136
2e1d38db 1137 // Calculate best context.
c3bc6f12 1138 if (empty($CFG->version) or $CFG->version < 2013051400 or during_initial_install()) {
2e1d38db 1139 // Do not filter anything during installation or before upgrade completes.
8d39cbb3 1140 $context = null;
8d39cbb3 1141
2e1d38db 1142 } else if (isset($options['context'])) { // First by explicit passed context option.
35716b86
PS
1143 if (is_object($options['context'])) {
1144 $context = $options['context'];
1145 } else {
d197ea43 1146 $context = context::instance_by_id($options['context']);
35716b86 1147 }
2e1d38db
SH
1148 } else if ($courseiddonotuse) {
1149 // Legacy courseid.
1150 $context = context_course::instance($courseiddonotuse);
35716b86 1151 } else {
2e1d38db 1152 // Fallback to $PAGE->context this may be problematic in CLI and other non-standard pages :-(.
35716b86 1153 $context = $PAGE->context;
c4ae4fa1 1154 }
a751a4e5 1155
f22b7397 1156 if (!$context) {
2e1d38db 1157 // Either install/upgrade or something has gone really wrong because context does not exist (yet?).
f22b7397
PS
1158 $options['nocache'] = true;
1159 $options['filter'] = false;
1160 }
1161
35716b86 1162 if ($options['filter']) {
ccc161f8 1163 $filtermanager = filter_manager::instance();
6c5dbbb3 1164 $filtermanager->setup_page_for_filters($PAGE, $context); // Setup global stuff filters may have.
ccc161f8 1165 } else {
1166 $filtermanager = new null_filter_manager();
9e3f34d1 1167 }
ccc161f8 1168
35716b86
PS
1169 if (!empty($CFG->cachetext) and empty($options['nocache'])) {
1170 $hashstr = $text.'-'.$filtermanager->text_filtering_hash($context).'-'.$context->id.'-'.current_language().'-'.
84a8bedd 1171 (int)$format.(int)$options['trusted'].(int)$options['noclean'].
35716b86 1172 (int)$options['para'].(int)$options['newlines'];
1cc54a45 1173
9e3f34d1 1174 $time = time() - $CFG->cachetext;
795a08ad 1175 $md5key = md5($hashstr);
a91b910e 1176 if (CLI_SCRIPT) {
1cc54a45 1177 if (isset($croncache[$md5key])) {
35716b86 1178 return $croncache[$md5key];
1cc54a45 1179 }
1180 }
1181
2e1d38db 1182 if ($oldcacheitem = $DB->get_record('cache_text', array('md5key' => $md5key), '*', IGNORE_MULTIPLE)) {
a9743837 1183 if ($oldcacheitem->timemodified >= $time) {
a91b910e 1184 if (CLI_SCRIPT) {
1cc54a45 1185 if (count($croncache) > 150) {
5087c945 1186 reset($croncache);
1187 $key = key($croncache);
1188 unset($croncache[$key]);
1cc54a45 1189 }
1190 $croncache[$md5key] = $oldcacheitem->formattedtext;
1191 }
35716b86 1192 return $oldcacheitem->formattedtext;
a9743837 1193 }
e7a47153 1194 }
1195 }
1196
0095d5cd 1197 switch ($format) {
73f8658c 1198 case FORMAT_HTML:
35716b86 1199 if (!$options['noclean']) {
b031caf8 1200 $text = clean_text($text, FORMAT_HTML, $options);
9d40806d 1201 }
2e1d38db
SH
1202 $text = $filtermanager->filter_text($text, $context, array(
1203 'originalformat' => FORMAT_HTML,
1204 'noclean' => $options['noclean']
1205 ));
73f8658c 1206 break;
1207
6901fa79 1208 case FORMAT_PLAIN:
2e1d38db 1209 $text = s($text); // Cleans dangerous JS.
ab892a4f 1210 $text = rebuildnolinktag($text);
b0ccd3fb 1211 $text = str_replace(' ', '&nbsp; ', $text);
6901fa79 1212 $text = nl2br($text);
6901fa79 1213 break;
1214
d342c763 1215 case FORMAT_WIKI:
2e1d38db 1216 // This format is deprecated.
572fe9ab 1217 $text = '<p>NOTICE: Wiki-like formatting has been removed from Moodle. You should not be seeing
1218 this message as all texts should have been converted to Markdown format instead.
ce50cc70 1219 Please post a bug report to http://moodle.org/bugs with information about where you
e7a47153 1220 saw this message.</p>'.s($text);
d342c763 1221 break;
1222
e7cdcd18 1223 case FORMAT_MARKDOWN:
1224 $text = markdown_to_html($text);
35716b86 1225 if (!$options['noclean']) {
b031caf8 1226 $text = clean_text($text, FORMAT_HTML, $options);
9d40806d 1227 }
2e1d38db
SH
1228 $text = $filtermanager->filter_text($text, $context, array(
1229 'originalformat' => FORMAT_MARKDOWN,
1230 'noclean' => $options['noclean']
1231 ));
e7cdcd18 1232 break;
1233
2e1d38db 1234 default: // FORMAT_MOODLE or anything else.
84a8bedd 1235 $text = text_to_html($text, null, $options['para'], $options['newlines']);
35716b86 1236 if (!$options['noclean']) {
b031caf8 1237 $text = clean_text($text, FORMAT_HTML, $options);
9d40806d 1238 }
2e1d38db
SH
1239 $text = $filtermanager->filter_text($text, $context, array(
1240 'originalformat' => $format,
1241 'noclean' => $options['noclean']
1242 ));
0095d5cd 1243 break;
0095d5cd 1244 }
893fe4b6 1245 if ($options['filter']) {
2e1d38db 1246 // At this point there should not be any draftfile links any more,
893fe4b6
PS
1247 // this happens when developers forget to post process the text.
1248 // The only potential problem is that somebody might try to format
2e1d38db 1249 // the text before storing into database which would be itself big bug..
893fe4b6 1250 $text = str_replace("\"$CFG->httpswwwroot/draftfile.php", "\"$CFG->httpswwwroot/brokenfile.php#", $text);
3633c257 1251
96f81ea3 1252 if ($CFG->debugdeveloper) {
3633c257 1253 if (strpos($text, '@@PLUGINFILE@@/') !== false) {
2e1d38db
SH
1254 debugging('Before calling format_text(), the content must be processed with file_rewrite_pluginfile_urls()',
1255 DEBUG_DEVELOPER);
3633c257
DM
1256 }
1257 }
893fe4b6 1258 }
f0aa2fed 1259
ccc161f8 1260 // Warn people that we have removed this old mechanism, just in case they
1261 // were stupid enough to rely on it.
1262 if (isset($CFG->currenttextiscacheable)) {
1263 debugging('Once upon a time, Moodle had a truly evil use of global variables ' .
2e1d38db
SH
1264 'called $CFG->currenttextiscacheable. The good news is that this no ' .
1265 'longer exists. The bad news is that you seem to be using a filter that '.
1266 'relies on it. Please seek out and destroy that filter code.', DEBUG_DEVELOPER);
ccc161f8 1267 }
1268
367a75fa 1269 if (!empty($options['overflowdiv'])) {
2e1d38db 1270 $text = html_writer::tag('div', $text, array('class' => 'no-overflow'));
367a75fa
SH
1271 }
1272
35716b86 1273 if (empty($options['nocache']) and !empty($CFG->cachetext)) {
a91b910e 1274 if (CLI_SCRIPT) {
2e1d38db 1275 // Special static cron cache - no need to store it in db if its not already there.
1cc54a45 1276 if (count($croncache) > 150) {
5087c945 1277 reset($croncache);
1278 $key = key($croncache);
1279 unset($croncache[$key]);
1cc54a45 1280 }
1281 $croncache[$md5key] = $text;
35716b86 1282 return $text;
1cc54a45 1283 }
1284
365a5941 1285 $newcacheitem = new stdClass();
a9743837 1286 $newcacheitem->md5key = $md5key;
f33e1ed4 1287 $newcacheitem->formattedtext = $text;
a9743837 1288 $newcacheitem->timemodified = time();
2e1d38db
SH
1289 if ($oldcacheitem) {
1290 // See bug 4677 for discussion.
a9743837 1291 $newcacheitem->id = $oldcacheitem->id;
f6949ddb 1292 try {
2e1d38db
SH
1293 // Update existing record in the cache table.
1294 $DB->update_record('cache_text', $newcacheitem);
f6949ddb 1295 } catch (dml_exception $e) {
2e1d38db
SH
1296 // It's unlikely that the cron cache cleaner could have
1297 // deleted this entry in the meantime, as it allows
1298 // some extra time to cover these cases.
f6949ddb 1299 }
a9743837 1300 } else {
f6949ddb 1301 try {
2e1d38db
SH
1302 // Insert a new record in the cache table.
1303 $DB->insert_record('cache_text', $newcacheitem);
f6949ddb 1304 } catch (dml_exception $e) {
2e1d38db
SH
1305 // Again, it's possible that another user has caused this
1306 // record to be created already in the time that it took
1307 // to traverse this function. That's OK too, as the
1308 // call above handles duplicate entries, and eventually
1309 // the cron cleaner will delete them.
f6949ddb 1310 }
a9743837 1311 }
f0aa2fed 1312 }
49c8c8d2 1313
35716b86 1314 return $text;
0095d5cd 1315}
1316
109e3cb2 1317/**
1318 * Resets all data related to filters, called during upgrade or when filter settings change.
449611af 1319 *
a46e11b5 1320 * @param bool $phpunitreset true means called from our PHPUnit integration test reset
109e3cb2 1321 * @return void
1322 */
a46e11b5 1323function reset_text_filters_cache($phpunitreset = false) {
8618fd2a 1324 global $CFG, $DB;
109e3cb2 1325
a46e11b5
PS
1326 if (!$phpunitreset) {
1327 $DB->delete_records('cache_text');
1328 }
1329
365bec4c 1330 $purifdir = $CFG->cachedir.'/htmlpurifier';
109e3cb2 1331 remove_dir($purifdir, true);
1332}
473d29eb 1333
49c8c8d2 1334/**
449611af 1335 * Given a simple string, this function returns the string
1336 * processed by enabled string filters if $CFG->filterall is enabled
e8276c10 1337 *
449611af 1338 * This function should be used to print short strings (non html) that
1339 * need filter processing e.g. activity titles, post subjects,
1340 * glossary concepts.
7b2c5e72 1341 *
449611af 1342 * @staticvar bool $strcache
d07f7be8
TH
1343 * @param string $string The string to be filtered. Should be plain text, expect
1344 * possibly for multilang tags.
2e1d38db 1345 * @param boolean $striplinks To strip any link in the result text. Moodle 1.8 default changed from false to true! MDL-8713
35716b86 1346 * @param array $options options array/object or courseid
449611af 1347 * @return string
7b2c5e72 1348 */
2e1d38db
SH
1349function format_string($string, $striplinks = true, $options = null) {
1350 global $CFG, $PAGE;
38701b69 1351
2e1d38db 1352 // We'll use a in-memory cache here to speed up repeated strings.
473d29eb 1353 static $strcache = false;
1354
f18c764a 1355 if (empty($CFG->version) or $CFG->version < 2013051400 or during_initial_install()) {
2e1d38db 1356 // Do not filter anything during installation or before upgrade completes.
57cddf6d
PS
1357 return $string = strip_tags($string);
1358 }
1359
2e1d38db
SH
1360 if ($strcache === false or count($strcache) > 2000) {
1361 // This number might need some tuning to limit memory usage in cron.
473d29eb 1362 $strcache = array();
1363 }
84e3d2cc 1364
35716b86 1365 if (is_numeric($options)) {
2e1d38db
SH
1366 // Legacy courseid usage.
1367 $options = array('context' => context_course::instance($options));
35716b86 1368 } else {
2e1d38db
SH
1369 // Detach object, we can not modify it.
1370 $options = (array)$options;
35716b86
PS
1371 }
1372
1373 if (empty($options['context'])) {
2e1d38db 1374 // Fallback to $PAGE->context this may be problematic in CLI and other non-standard pages :-(.
35716b86
PS
1375 $options['context'] = $PAGE->context;
1376 } else if (is_numeric($options['context'])) {
d197ea43 1377 $options['context'] = context::instance_by_id($options['context']);
35716b86
PS
1378 }
1379
1380 if (!$options['context']) {
2e1d38db 1381 // We did not find any context? weird.
57cddf6d 1382 return $string = strip_tags($string);
38701b69 1383 }
1384
2e1d38db 1385 // Calculate md5.
35716b86 1386 $md5 = md5($string.'<+>'.$striplinks.'<+>'.$options['context']->id.'<+>'.current_language());
2a3affe9 1387
2e1d38db 1388 // Fetch from cache if possible.
38701b69 1389 if (isset($strcache[$md5])) {
2a3affe9 1390 return $strcache[$md5];
1391 }
1392
dacb47c0 1393 // First replace all ampersands not followed by html entity code
2e1d38db 1394 // Regular expression moved to its own method for easier unit testing.
6dbcacee 1395 $string = replace_ampersands_not_followed_by_entity($string);
268ddd50 1396
57cddf6d 1397 if (!empty($CFG->filterall)) {
b4402278 1398 $filtermanager = filter_manager::instance();
6c5dbbb3 1399 $filtermanager->setup_page_for_filters($PAGE, $options['context']); // Setup global stuff filters may have.
b9647509 1400 $string = $filtermanager->filter_string($string, $options['context']);
7b2c5e72 1401 }
84e3d2cc 1402
2e1d38db 1403 // If the site requires it, strip ALL tags from this string.
9fbed9c9 1404 if (!empty($CFG->formatstringstriptags)) {
d07f7be8 1405 $string = str_replace(array('<', '>'), array('&lt;', '&gt;'), strip_tags($string));
9fbed9c9 1406
408d5327 1407 } else {
2e1d38db
SH
1408 // Otherwise strip just links if that is required (default).
1409 if ($striplinks) {
1410 // Strip links in string.
31c2087d 1411 $string = strip_links($string);
408d5327 1412 }
1413 $string = clean_text($string);
3e6691ee 1414 }
1415
2e1d38db 1416 // Store to cache.
2a3affe9 1417 $strcache[$md5] = $string;
84e3d2cc 1418
7b2c5e72 1419 return $string;
1420}
1421
6dbcacee 1422/**
1423 * Given a string, performs a negative lookahead looking for any ampersand character
1424 * that is not followed by a proper HTML entity. If any is found, it is replaced
1425 * by &amp;. The string is then returned.
1426 *
1427 * @param string $string
1428 * @return string
1429 */
1430function replace_ampersands_not_followed_by_entity($string) {
1431 return preg_replace("/\&(?![a-zA-Z0-9#]{1,8};)/", "&amp;", $string);
1432}
1433
31c2087d 1434/**
1435 * Given a string, replaces all <a>.*</a> by .* and returns the string.
49c8c8d2 1436 *
31c2087d 1437 * @param string $string
1438 * @return string
1439 */
1440function strip_links($string) {
2e1d38db 1441 return preg_replace('/(<a\s[^>]+?>)(.+?)(<\/a>)/is', '$2', $string);
31c2087d 1442}
1443
1444/**
1445 * This expression turns links into something nice in a text format. (Russell Jungwirth)
1446 *
1447 * @param string $string
1448 * @return string
1449 */
1450function wikify_links($string) {
2e1d38db 1451 return preg_replace('~(<a [^<]*href=["|\']?([^ "\']*)["|\']?[^>]*>([^<]*)</a>)~i', '$3 [ $2 ]', $string);
31c2087d 1452}
1453
d48b00b4 1454/**
2e1d38db 1455 * Given text in a variety of format codings, this function returns the text as plain text suitable for plain email.
d48b00b4 1456 *
89dcb99d 1457 * @param string $text The text to be formatted. This is raw text originally from user input.
772e78be 1458 * @param int $format Identifier of the text format to be used
449611af 1459 * [FORMAT_MOODLE, FORMAT_HTML, FORMAT_PLAIN, FORMAT_WIKI, FORMAT_MARKDOWN]
89dcb99d 1460 * @return string
d48b00b4 1461 */
d342c763 1462function format_text_email($text, $format) {
d342c763 1463
1464 switch ($format) {
1465
1466 case FORMAT_PLAIN:
1467 return $text;
1468 break;
1469
1470 case FORMAT_WIKI:
2e1d38db 1471 // There should not be any of these any more!
31c2087d 1472 $text = wikify_links($text);
2f1e464a 1473 return core_text::entities_to_utf8(strip_tags($text), true);
d342c763 1474 break;
1475
6ff45b59 1476 case FORMAT_HTML:
1477 return html_to_text($text);
1478 break;
1479
e7cdcd18 1480 case FORMAT_MOODLE:
1481 case FORMAT_MARKDOWN:
67ccec43 1482 default:
31c2087d 1483 $text = wikify_links($text);
2f1e464a 1484 return core_text::entities_to_utf8(strip_tags($text), true);
d342c763 1485 break;
1486 }
1487}
0095d5cd 1488
dc5c2bd9 1489/**
1490 * Formats activity intro text
449611af 1491 *
dc5c2bd9 1492 * @param string $module name of module
1493 * @param object $activity instance of activity
1494 * @param int $cmid course module id
43b44d5e 1495 * @param bool $filter filter resulting html text
2e1d38db 1496 * @return string
dc5c2bd9 1497 */
43b44d5e 1498function format_module_intro($module, $activity, $cmid, $filter=true) {
ac3668bf 1499 global $CFG;
1500 require_once("$CFG->libdir/filelib.php");
b0c6dc1c 1501 $context = context_module::instance($cmid);
2e1d38db 1502 $options = array('noclean' => true, 'para' => false, 'filter' => $filter, 'context' => $context, 'overflowdiv' => true);
64f93798 1503 $intro = file_rewrite_pluginfile_urls($activity->intro, 'pluginfile.php', $context->id, 'mod_'.$module, 'intro', null);
35716b86 1504 return trim(format_text($intro, $activity->introformat, $options, null));
dc5c2bd9 1505}
cbdfb929 1506
7d8a3cb0 1507/**
cbc2b5df 1508 * Legacy function, used for cleaning of old forum and glossary text only.
449611af 1509 *
54f53184 1510 * @param string $text text that may contain legacy TRUSTTEXT marker
2e1d38db 1511 * @return string text without legacy TRUSTTEXT marker
7d8a3cb0 1512 */
1513function trusttext_strip($text) {
2e1d38db 1514 while (true) { // Removing nested TRUSTTEXT.
5ce73257 1515 $orig = $text;
cbc2b5df 1516 $text = str_replace('#####TRUSTTEXT#####', '', $text);
7d8a3cb0 1517 if (strcmp($orig, $text) === 0) {
1518 return $text;
1519 }
1520 }
1521}
1522
cbc2b5df 1523/**
2e1d38db 1524 * Must be called before editing of all texts with trust flag. Removes all XSS nasties from texts stored in database if needed.
449611af 1525 *
2e1d38db 1526 * @param stdClass $object data object with xxx, xxxformat and xxxtrust fields
cbc2b5df 1527 * @param string $field name of text field
2e1d38db
SH
1528 * @param context $context active context
1529 * @return stdClass updated $object
cbc2b5df 1530 */
1531function trusttext_pre_edit($object, $field, $context) {
1532 $trustfield = $field.'trust';
49c8c8d2 1533 $formatfield = $field.'format';
1534
cbc2b5df 1535 if (!$object->$trustfield or !trusttext_trusted($context)) {
1536 $object->$field = clean_text($object->$field, $object->$formatfield);
1537 }
1538
1539 return $object;
1540}
1541
1542/**
449611af 1543 * Is current user trusted to enter no dangerous XSS in this context?
1544 *
cbc2b5df 1545 * Please note the user must be in fact trusted everywhere on this server!!
449611af 1546 *
2e1d38db 1547 * @param context $context
cbc2b5df 1548 * @return bool true if user trusted
1549 */
1550function trusttext_trusted($context) {
49c8c8d2 1551 return (trusttext_active() and has_capability('moodle/site:trustcontent', $context));
cbc2b5df 1552}
1553
1554/**
1555 * Is trusttext feature active?
449611af 1556 *
cbc2b5df 1557 * @return bool
1558 */
1559function trusttext_active() {
1560 global $CFG;
1561
49c8c8d2 1562 return !empty($CFG->enabletrusttext);
cbc2b5df 1563}
1564
d48b00b4 1565/**
2e1d38db
SH
1566 * Cleans raw text removing nasties.
1567 *
1568 * Given raw text (eg typed in by a user) this function cleans it up and removes any nasty tags that could mess up
1569 * Moodle pages through XSS attacks.
4e8d084b
PS
1570 *
1571 * The result must be used as a HTML text fragment, this function can not cleanup random
1572 * parts of html tags such as url or src attributes.
d48b00b4 1573 *
e6906df2
PS
1574 * NOTE: the format parameter was deprecated because we can safely clean only HTML.
1575 *
89dcb99d 1576 * @param string $text The text to be cleaned
4e8d084b 1577 * @param int|string $format deprecated parameter, should always contain FORMAT_HTML or FORMAT_MOODLE
b031caf8 1578 * @param array $options Array of options; currently only option supported is 'allowid' (if true,
1579 * does not remove id attributes when cleaning)
89dcb99d 1580 * @return string The cleaned up text
d48b00b4 1581 */
b031caf8 1582function clean_text($text, $format = FORMAT_HTML, $options = array()) {
986f8ea2 1583 $text = (string)$text;
3fe3851d 1584
e6906df2 1585 if ($format != FORMAT_HTML and $format != FORMAT_HTML) {
2e1d38db
SH
1586 // TODO: we need to standardise cleanup of text when loading it into editor first.
1587 // debugging('clean_text() is designed to work only with html');.
e6906df2 1588 }
e7cdcd18 1589
e6906df2
PS
1590 if ($format == FORMAT_PLAIN) {
1591 return $text;
1592 }
e7cdcd18 1593
986f8ea2
PS
1594 if (is_purify_html_necessary($text)) {
1595 $text = purify_html($text, $options);
1596 }
7789ffbf 1597
4e8d084b
PS
1598 // Originally we tried to neutralise some script events here, it was a wrong approach because
1599 // it was trivial to work around that (for example using style based XSS exploits).
1600 // We must not give false sense of security here - all developers MUST understand how to use
1601 // rawurlencode(), htmlentities(), htmlspecialchars(), p(), s(), moodle_url, html_writer and friends!!!
6901fa79 1602
e6906df2 1603 return $text;
b7a3cf49 1604}
f9903ed0 1605
986f8ea2
PS
1606/**
1607 * Is it necessary to use HTMLPurifier?
2e1d38db 1608 *
986f8ea2
PS
1609 * @private
1610 * @param string $text
1611 * @return bool false means html is safe and valid, true means use HTMLPurifier
1612 */
1613function is_purify_html_necessary($text) {
1614 if ($text === '') {
1615 return false;
1616 }
1617
1618 if ($text === (string)((int)$text)) {
1619 return false;
1620 }
1621
1622 if (strpos($text, '&') !== false or preg_match('|<[^pesb/]|', $text)) {
2e1d38db 1623 // We need to normalise entities or other tags except p, em, strong and br present.
986f8ea2
PS
1624 return true;
1625 }
1626
1627 $altered = htmlspecialchars($text, ENT_NOQUOTES, 'UTF-8', true);
1628 if ($altered === $text) {
2e1d38db 1629 // No < > or other special chars means this must be safe.
986f8ea2
PS
1630 return false;
1631 }
1632
2e1d38db 1633 // Let's try to convert back some safe html tags.
986f8ea2
PS
1634 $altered = preg_replace('|&lt;p&gt;(.*?)&lt;/p&gt;|m', '<p>$1</p>', $altered);
1635 if ($altered === $text) {
1636 return false;
1637 }
1638 $altered = preg_replace('|&lt;em&gt;([^<>]+?)&lt;/em&gt;|m', '<em>$1</em>', $altered);
1639 if ($altered === $text) {
1640 return false;
1641 }
1642 $altered = preg_replace('|&lt;strong&gt;([^<>]+?)&lt;/strong&gt;|m', '<strong>$1</strong>', $altered);
1643 if ($altered === $text) {
1644 return false;
1645 }
1646 $altered = str_replace('&lt;br /&gt;', '<br />', $altered);
1647 if ($altered === $text) {
1648 return false;
1649 }
1650
1651 return true;
1652}
1653
e0ac8448 1654/**
1655 * KSES replacement cleaning function - uses HTML Purifier.
449611af 1656 *
449611af 1657 * @param string $text The (X)HTML string to purify
b031caf8 1658 * @param array $options Array of options; currently only option supported is 'allowid' (if set,
1659 * does not remove id attributes when cleaning)
73b309e6 1660 * @return string
e0ac8448 1661 */
b031caf8 1662function purify_html($text, $options = array()) {
e0ac8448 1663 global $CFG;
1664
528a7b44
PS
1665 $text = (string)$text;
1666
b031caf8 1667 static $purifiers = array();
e85c56cc
SH
1668 static $caches = array();
1669
528a7b44
PS
1670 // Purifier code can change only during major version upgrade.
1671 $version = empty($CFG->version) ? 0 : $CFG->version;
1672 $cachedir = "$CFG->localcachedir/htmlpurifier/$version";
1673 if (!file_exists($cachedir)) {
1674 // Purging of caches may remove the cache dir at any time,
1675 // luckily file_exists() results should be cached for all existing directories.
1676 $purifiers = array();
1677 $caches = array();
1678 gc_collect_cycles();
1679
1680 make_localcache_directory('htmlpurifier', false);
1681 check_dir_exists($cachedir);
1682 }
1683
1684 $allowid = empty($options['allowid']) ? 0 : 1;
1685 $allowobjectembed = empty($CFG->allowobjectembed) ? 0 : 1;
1686
1687 $type = 'type_'.$allowid.'_'.$allowobjectembed;
e85c56cc
SH
1688
1689 if (!array_key_exists($type, $caches)) {
1690 $caches[$type] = cache::make('core', 'htmlpurifier', array('type' => $type));
1691 }
1692 $cache = $caches[$type];
1693
528a7b44
PS
1694 // Add revision number and all options to the text key so that it is compatible with local cluster node caches.
1695 $key = "|$version|$allowobjectembed|$allowid|$text";
1696 $filteredtext = $cache->get($key);
1697
1698 if ($filteredtext === true) {
1699 // The filtering did not change the text last time, no need to filter anything again.
1700 return $text;
1701 } else if ($filteredtext !== false) {
e85c56cc
SH
1702 return $filteredtext;
1703 }
1704
b031caf8 1705 if (empty($purifiers[$type])) {
eb203ee4 1706 require_once $CFG->libdir.'/htmlpurifier/HTMLPurifier.safe-includes.php';
590abcf8 1707 require_once $CFG->libdir.'/htmlpurifier/locallib.php';
e0ac8448 1708 $config = HTMLPurifier_Config::createDefault();
f71c7f00
PS
1709
1710 $config->set('HTML.DefinitionID', 'moodlehtml');
7df50029 1711 $config->set('HTML.DefinitionRev', 2);
f71c7f00 1712 $config->set('Cache.SerializerPath', $cachedir);
7df50029 1713 $config->set('Cache.SerializerPermissions', $CFG->directorypermissions);
f71c7f00 1714 $config->set('Core.NormalizeNewlines', false);
6ec450fb 1715 $config->set('Core.ConvertDocumentToFragment', true);
1716 $config->set('Core.Encoding', 'UTF-8');
1717 $config->set('HTML.Doctype', 'XHTML 1.0 Transitional');
2e1d38db
SH
1718 $config->set('URI.AllowedSchemes', array(
1719 'http' => true,
1720 'https' => true,
1721 'ftp' => true,
1722 'irc' => true,
1723 'nntp' => true,
1724 'news' => true,
1725 'rtsp' => true,
1726 'teamspeak' => true,
1727 'gopher' => true,
1728 'mms' => true,
1729 'mailto' => true
1730 ));
6ec450fb 1731 $config->set('Attr.AllowedFrameTargets', array('_blank'));
f71c7f00 1732
528a7b44 1733 if ($allowobjectembed) {
cbe44fb2
PS
1734 $config->set('HTML.SafeObject', true);
1735 $config->set('Output.FlashCompat', true);
a0f97768 1736 $config->set('HTML.SafeEmbed', true);
cbe44fb2
PS
1737 }
1738
528a7b44 1739 if ($allowid) {
b031caf8 1740 $config->set('Attr.EnableID', true);
1741 }
1742
7df50029 1743 if ($def = $config->maybeGetRawHTMLDefinition()) {
528a7b44
PS
1744 $def->addElement('nolink', 'Block', 'Flow', array()); // Skip our filters inside.
1745 $def->addElement('tex', 'Inline', 'Inline', array()); // Tex syntax, equivalent to $$xx$$.
1746 $def->addElement('algebra', 'Inline', 'Inline', array()); // Algebra syntax, equivalent to @@xx@@.
1747 $def->addElement('lang', 'Block', 'Flow', array(), array('lang'=>'CDATA')); // Original multilang style - only our hacked lang attribute.
1748 $def->addAttribute('span', 'xxxlang', 'CDATA'); // Current very problematic multilang.
7df50029 1749 }
f71c7f00 1750
e0ac8448 1751 $purifier = new HTMLPurifier($config);
b031caf8 1752 $purifiers[$type] = $purifier;
1753 } else {
1754 $purifier = $purifiers[$type];
e0ac8448 1755 }
f71c7f00
PS
1756
1757 $multilang = (strpos($text, 'class="multilang"') !== false);
1758
e85c56cc 1759 $filteredtext = $text;
f71c7f00 1760 if ($multilang) {
2e1d38db
SH
1761 $filteredtextregex = '/<span(\s+lang="([a-zA-Z0-9_-]+)"|\s+class="multilang"){2}\s*>/';
1762 $filteredtext = preg_replace($filteredtextregex, '<span xxxlang="${2}">', $filteredtext);
f71c7f00 1763 }
528a7b44 1764 $filteredtext = (string)$purifier->purify($filteredtext);
f71c7f00 1765 if ($multilang) {
e85c56cc 1766 $filteredtext = preg_replace('/<span xxxlang="([a-zA-Z0-9_-]+)">/', '<span lang="${1}" class="multilang">', $filteredtext);
f71c7f00 1767 }
528a7b44
PS
1768
1769 if ($text === $filteredtext) {
1770 // No need to store the filtered text, next time we will just return unfiltered text
1771 // because it was not changed by purifying.
1772 $cache->set($key, true);
1773 } else {
1774 $cache->set($key, $filteredtext);
1775 }
f71c7f00 1776
e85c56cc 1777 return $filteredtext;
e0ac8448 1778}
1779
89dcb99d 1780/**
1781 * Given plain text, makes it into HTML as nicely as possible.
2e1d38db
SH
1782 *
1783 * May contain HTML tags already.
89dcb99d 1784 *
84a8bedd 1785 * Do not abuse this function. It is intended as lower level formatting feature used
2e1d38db 1786 * by {@link format_text()} to convert FORMAT_MOODLE to HTML. You are supposed
84a8bedd
DM
1787 * to call format_text() in most of cases.
1788 *
89dcb99d 1789 * @param string $text The string to convert.
2e1d38db 1790 * @param boolean $smileyignored Was used to determine if smiley characters should convert to smiley images, ignored now
b075eb8e 1791 * @param boolean $para If true then the returned string will be wrapped in div tags
89dcb99d 1792 * @param boolean $newlines If true then lines newline breaks will be converted to HTML newline breaks.
1793 * @return string
1794 */
2e1d38db
SH
1795function text_to_html($text, $smileyignored = null, $para = true, $newlines = true) {
1796 // Remove any whitespace that may be between HTML tags.
6dbcacee 1797 $text = preg_replace("~>([[:space:]]+)<~i", "><", $text);
7b3be1b1 1798
2e1d38db 1799 // Remove any returns that precede or follow HTML tags.
6dbcacee 1800 $text = preg_replace("~([\n\r])<~i", " <", $text);
1801 $text = preg_replace("~>([\n\r])~i", "> ", $text);
7b3be1b1 1802
2e1d38db 1803 // Make returns into HTML newlines.
b7a3d3b2 1804 if ($newlines) {
1805 $text = nl2br($text);
1806 }
f9903ed0 1807
2e1d38db 1808 // Wrap the whole thing in a div if required.
909f539d 1809 if ($para) {
2e1d38db 1810 // In 1.9 this was changed from a p => div.
b075eb8e 1811 return '<div class="text_to_html">'.$text.'</div>';
909f539d 1812 } else {
1813 return $text;
1814 }
f9903ed0 1815}
1816
d48b00b4 1817/**
1818 * Given Markdown formatted text, make it into XHTML using external function
1819 *
89dcb99d 1820 * @param string $text The markdown formatted text to be converted.
1821 * @return string Converted text
d48b00b4 1822 */
e7cdcd18 1823function markdown_to_html($text) {
e7cdcd18 1824 global $CFG;
1825
2e1d38db 1826 if ($text === '' or $text === null) {
a4a0c9d9
PS
1827 return $text;
1828 }
1829
b0ccd3fb 1830 require_once($CFG->libdir .'/markdown.php');
e7cdcd18 1831
1832 return Markdown($text);
1833}
1834
d48b00b4 1835/**
89dcb99d 1836 * Given HTML text, make it into plain text using external function
d48b00b4 1837 *
d48b00b4 1838 * @param string $html The text to be converted.
a194c218
TH
1839 * @param integer $width Width to wrap the text at. (optional, default 75 which
1840 * is a good value for email. 0 means do not limit line length.)
dc3e95c0
TH
1841 * @param boolean $dolinks By default, any links in the HTML are collected, and
1842 * printed as a list at the end of the HTML. If you don't want that, set this
1843 * argument to false.
a194c218 1844 * @return string plain text equivalent of the HTML.
d48b00b4 1845 */
dc3e95c0 1846function html_to_text($html, $width = 75, $dolinks = true) {
89dcb99d 1847
428aaa29 1848 global $CFG;
6ff45b59 1849
b0ccd3fb 1850 require_once($CFG->libdir .'/html2text.php');
6ff45b59 1851
dc3e95c0 1852 $h2t = new html2text($html, false, $dolinks, $width);
588acd06 1853 $result = $h2t->get_text();
07e9a300 1854
977b3d31 1855 return $result;
6ff45b59 1856}
1857
d48b00b4 1858/**
1859 * This function will highlight search words in a given string
449611af 1860 *
d48b00b4 1861 * It cares about HTML and will not ruin links. It's best to use
1862 * this function after performing any conversions to HTML.
d48b00b4 1863 *
9289e4c9 1864 * @param string $needle The search string. Syntax like "word1 +word2 -word3" is dealt with correctly.
1865 * @param string $haystack The string (HTML) within which to highlight the search terms.
1866 * @param boolean $matchcase whether to do case-sensitive. Default case-insensitive.
1867 * @param string $prefix the string to put before each search term found.
1868 * @param string $suffix the string to put after each search term found.
1869 * @return string The highlighted HTML.
d48b00b4 1870 */
9289e4c9 1871function highlight($needle, $haystack, $matchcase = false,
1872 $prefix = '<span class="highlight">', $suffix = '</span>') {
587c7040 1873
2e1d38db 1874 // Quick bail-out in trivial cases.
587c7040 1875 if (empty($needle) or empty($haystack)) {
69d51d3a 1876 return $haystack;
1877 }
1878
2e1d38db 1879 // Break up the search term into words, discard any -words and build a regexp.
9289e4c9 1880 $words = preg_split('/ +/', trim($needle));
1881 foreach ($words as $index => $word) {
1882 if (strpos($word, '-') === 0) {
1883 unset($words[$index]);
1884 } else if (strpos($word, '+') === 0) {
1885 $words[$index] = '\b' . preg_quote(ltrim($word, '+'), '/') . '\b'; // Match only as a complete word.
1886 } else {
1887 $words[$index] = preg_quote($word, '/');
88438a58 1888 }
1889 }
2e1d38db 1890 $regexp = '/(' . implode('|', $words) . ')/u'; // Char u is to do UTF-8 matching.
9289e4c9 1891 if (!$matchcase) {
1892 $regexp .= 'i';
88438a58 1893 }
1894
2e1d38db 1895 // Another chance to bail-out if $search was only -words.
9289e4c9 1896 if (empty($words)) {
1897 return $haystack;
88438a58 1898 }
88438a58 1899
2e1d38db 1900 // Find all the HTML tags in the input, and store them in a placeholders array..
9289e4c9 1901 $placeholders = array();
1902 $matches = array();
1903 preg_match_all('/<[^>]*>/', $haystack, $matches);
1904 foreach (array_unique($matches[0]) as $key => $htmltag) {
1905 $placeholders['<|' . $key . '|>'] = $htmltag;
1906 }
9ccdcd97 1907
2e1d38db 1908 // In $hastack, replace each HTML tag with the corresponding placeholder.
9289e4c9 1909 $haystack = str_replace($placeholders, array_keys($placeholders), $haystack);
9ccdcd97 1910
2e1d38db 1911 // In the resulting string, Do the highlighting.
9289e4c9 1912 $haystack = preg_replace($regexp, $prefix . '$1' . $suffix, $haystack);
9ccdcd97 1913
2e1d38db 1914 // Turn the placeholders back into HTML tags.
9289e4c9 1915 $haystack = str_replace(array_keys($placeholders), $placeholders, $haystack);
88438a58 1916
f60e7cfe 1917 return $haystack;
88438a58 1918}
1919
d48b00b4 1920/**
1921 * This function will highlight instances of $needle in $haystack
449611af 1922 *
1923 * It's faster that the above function {@link highlight()} and doesn't care about
d48b00b4 1924 * HTML or anything.
1925 *
1926 * @param string $needle The string to search for
1927 * @param string $haystack The string to search for $needle in
449611af 1928 * @return string The highlighted HTML
d48b00b4 1929 */
88438a58 1930function highlightfast($needle, $haystack) {
5af78ed2 1931
587c7040 1932 if (empty($needle) or empty($haystack)) {
1933 return $haystack;
1934 }
1935
2f1e464a 1936 $parts = explode(core_text::strtolower($needle), core_text::strtolower($haystack));
5af78ed2 1937
587c7040 1938 if (count($parts) === 1) {
1939 return $haystack;
1940 }
1941
5af78ed2 1942 $pos = 0;
1943
1944 foreach ($parts as $key => $part) {
1945 $parts[$key] = substr($haystack, $pos, strlen($part));
1946 $pos += strlen($part);
1947
b0ccd3fb 1948 $parts[$key] .= '<span class="highlight">'.substr($haystack, $pos, strlen($needle)).'</span>';
5af78ed2 1949 $pos += strlen($needle);
ab9f24ad 1950 }
5af78ed2 1951
587c7040 1952 return str_replace('<span class="highlight"></span>', '', join('', $parts));
5af78ed2 1953}
1954
2ab4e4b8 1955/**
1956 * Return a string containing 'lang', xml:lang and optionally 'dir' HTML attributes.
2e1d38db 1957 *
2ab4e4b8 1958 * Internationalisation, for print_header and backup/restorelib.
449611af 1959 *
1960 * @param bool $dir Default false
1961 * @return string Attributes
2ab4e4b8 1962 */
1963function get_html_lang($dir = false) {
1964 $direction = '';
1965 if ($dir) {
e372f4c7 1966 if (right_to_left()) {
2ab4e4b8 1967 $direction = ' dir="rtl"';
1968 } else {
1969 $direction = ' dir="ltr"';
1970 }
1971 }
2e1d38db 1972 // Accessibility: added the 'lang' attribute to $direction, used in theme <html> tag.
3a915b06 1973 $language = str_replace('_', '-', current_language());
0946fff4 1974 @header('Content-Language: '.$language);
84e3d2cc 1975 return ($direction.' lang="'.$language.'" xml:lang="'.$language.'"');
2ab4e4b8 1976}
1977
34a2777c 1978
2e1d38db 1979// STANDARD WEB PAGE PARTS.
34a2777c 1980
5c355019 1981/**
34a2777c 1982 * Send the HTTP headers that Moodle requires.
9172fd82
PS
1983 *
1984 * There is a backwards compatibility hack for legacy code
1985 * that needs to add custom IE compatibility directive.
1986 *
1987 * Example:
1988 * <code>
1989 * if (!isset($CFG->additionalhtmlhead)) {
1990 * $CFG->additionalhtmlhead = '';
1991 * }
1992 * $CFG->additionalhtmlhead .= '<meta http-equiv="X-UA-Compatible" content="IE=8" />';
1993 * header('X-UA-Compatible: IE=8');
1994 * echo $OUTPUT->header();
1995 * </code>
1996 *
1997 * Please note the $CFG->additionalhtmlhead alone might not work,
1998 * you should send the IE compatibility header() too.
1999 *
2000 * @param string $contenttype
2001 * @param bool $cacheable Can this page be cached on back?
2002 * @return void, sends HTTP headers
5c355019 2003 */
34a2777c 2004function send_headers($contenttype, $cacheable = true) {
5c754932
PS
2005 global $CFG;
2006
34a2777c 2007 @header('Content-Type: ' . $contenttype);
2008 @header('Content-Script-Type: text/javascript');
2009 @header('Content-Style-Type: text/css');
79192273
PS
2010
2011 if (empty($CFG->additionalhtmlhead) or stripos($CFG->additionalhtmlhead, 'X-UA-Compatible') === false) {
2012 @header('X-UA-Compatible: IE=edge');
2013 }
f9903ed0 2014
34a2777c 2015 if ($cacheable) {
2e1d38db 2016 // Allow caching on "back" (but not on normal clicks).
34a2777c 2017 @header('Cache-Control: private, pre-check=0, post-check=0, max-age=0');
2018 @header('Pragma: no-cache');
2019 @header('Expires: ');
2020 } else {
2e1d38db 2021 // Do everything we can to always prevent clients and proxies caching.
34a2777c 2022 @header('Cache-Control: no-store, no-cache, must-revalidate');
2023 @header('Cache-Control: post-check=0, pre-check=0', false);
2024 @header('Pragma: no-cache');
2025 @header('Expires: Mon, 20 Aug 1969 09:23:00 GMT');
2026 @header('Last-Modified: ' . gmdate('D, d M Y H:i:s') . ' GMT');
2027 }
2028 @header('Accept-Ranges: none');
5c754932
PS
2029
2030 if (empty($CFG->allowframembedding)) {
2031 @header('X-Frame-Options: sameorigin');
2032 }
34a2777c 2033}
9fa49e22 2034
ce3735d4 2035/**
a84dea2c 2036 * Return the right arrow with text ('next'), and optionally embedded in a link.
449611af 2037 *
ac905235 2038 * @param string $text HTML/plain text label (set to blank only for breadcrumb separator cases).
a84dea2c 2039 * @param string $url An optional link to use in a surrounding HTML anchor.
2040 * @param bool $accesshide True if text should be hidden (for screen readers only).
2041 * @param string $addclass Additional class names for the link, or the arrow character.
2042 * @return string HTML string.
ce3735d4 2043 */
a84dea2c 2044function link_arrow_right($text, $url='', $accesshide=false, $addclass='') {
2e1d38db 2045 global $OUTPUT; // TODO: move to output renderer.
a84dea2c 2046 $arrowclass = 'arrow ';
2e1d38db 2047 if (!$url) {
a84dea2c 2048 $arrowclass .= $addclass;
2049 }
92e01ab7 2050 $arrow = '<span class="'.$arrowclass.'">'.$OUTPUT->rarrow().'</span>';
a84dea2c 2051 $htmltext = '';
2052 if ($text) {
388794fd 2053 $htmltext = '<span class="arrow_text">'.$text.'</span>&nbsp;';
a84dea2c 2054 if ($accesshide) {
1d75edd0 2055 $htmltext = get_accesshide($htmltext);
a84dea2c 2056 }
ce3735d4 2057 }
a84dea2c 2058 if ($url) {
388794fd 2059 $class = 'arrow_link';
a84dea2c 2060 if ($addclass) {
388794fd 2061 $class .= ' '.$addclass;
a84dea2c 2062 }
2e1d38db 2063 return '<a class="'.$class.'" href="'.$url.'" title="'.preg_replace('/<.*?>/', '', $text).'">'.$htmltext.$arrow.'</a>';
a84dea2c 2064 }
2065 return $htmltext.$arrow;
ce3735d4 2066}
2067
2068/**
a84dea2c 2069 * Return the left arrow with text ('previous'), and optionally embedded in a link.
449611af 2070 *
ac905235 2071 * @param string $text HTML/plain text label (set to blank only for breadcrumb separator cases).
a84dea2c 2072 * @param string $url An optional link to use in a surrounding HTML anchor.
2073 * @param bool $accesshide True if text should be hidden (for screen readers only).
2074 * @param string $addclass Additional class names for the link, or the arrow character.
2075 * @return string HTML string.
ce3735d4 2076 */
a84dea2c 2077function link_arrow_left($text, $url='', $accesshide=false, $addclass='') {
2e1d38db 2078 global $OUTPUT; // TODO: move to utput renderer.
a84dea2c 2079 $arrowclass = 'arrow ';
2080 if (! $url) {
2081 $arrowclass .= $addclass;
2082 }
92e01ab7 2083 $arrow = '<span class="'.$arrowclass.'">'.$OUTPUT->larrow().'</span>';
a84dea2c 2084 $htmltext = '';
2085 if ($text) {
388794fd 2086 $htmltext = '&nbsp;<span class="arrow_text">'.$text.'</span>';
a84dea2c 2087 if ($accesshide) {
1d75edd0 2088 $htmltext = get_accesshide($htmltext);
a84dea2c 2089 }
ce3735d4 2090 }
a84dea2c 2091 if ($url) {
388794fd 2092 $class = 'arrow_link';
a84dea2c 2093 if ($addclass) {
388794fd 2094 $class .= ' '.$addclass;
a84dea2c 2095 }
2e1d38db 2096 return '<a class="'.$class.'" href="'.$url.'" title="'.preg_replace('/<.*?>/', '', $text).'">'.$arrow.$htmltext.'</a>';
a84dea2c 2097 }
2098 return $arrow.$htmltext;
2099}
2100
1d75edd0 2101/**
2102 * Return a HTML element with the class "accesshide", for accessibility.
2e1d38db 2103 *
449611af 2104 * Please use cautiously - where possible, text should be visible!
2105 *
1d75edd0 2106 * @param string $text Plain text.
2107 * @param string $elem Lowercase element name, default "span".
2108 * @param string $class Additional classes for the element.
2109 * @param string $attrs Additional attributes string in the form, "name='value' name2='value2'"
2110 * @return string HTML string.
2111 */
2112function get_accesshide($text, $elem='span', $class='', $attrs='') {
2113 return "<$elem class=\"accesshide $class\" $attrs>$text</$elem>";
2114}
2115
a84dea2c 2116/**
2117 * Return the breadcrumb trail navigation separator.
449611af 2118 *
a84dea2c 2119 * @return string HTML string.
2120 */
2121function get_separator() {
2e1d38db 2122 // Accessibility: the 'hidden' slash is preferred for screen readers.
a84dea2c 2123 return ' '.link_arrow_right($text='/', $url='', $accesshide=true, 'sep').' ';
ce3735d4 2124}
2125
512c5901 2126/**
2e1d38db 2127 * Print (or return) a collapsible region, that has a caption that can be clicked to expand or collapse the region.
49c8c8d2 2128 *
fa9f6bf6 2129 * If JavaScript is off, then the region will always be expanded.
512c5901 2130 *
2131 * @param string $contents the contents of the box.
2132 * @param string $classes class names added to the div that is output.
2133 * @param string $id id added to the div that is output. Must not be blank.
2134 * @param string $caption text displayed at the top. Clicking on this will cause the region to expand or contract.
fa9f6bf6 2135 * @param string $userpref the name of the user preference that stores the user's preferred default state.
512c5901 2136 * (May be blank if you do not wish the state to be persisted.
fa9f6bf6 2137 * @param boolean $default Initial collapsed state to use if the user_preference it not set.
512c5901 2138 * @param boolean $return if true, return the HTML as a string, rather than printing it.
449611af 2139 * @return string|void If $return is false, returns nothing, otherwise returns a string of HTML.
512c5901 2140 */
f2eb5002 2141function print_collapsible_region($contents, $classes, $id, $caption, $userpref = '', $default = false, $return = false) {
ad9ab4df 2142 $output = print_collapsible_region_start($classes, $id, $caption, $userpref, $default, true);
f2eb5002 2143 $output .= $contents;
2144 $output .= print_collapsible_region_end(true);
2145
2146 if ($return) {
2147 return $output;
2148 } else {
2149 echo $output;
2150 }
2151}
2152
512c5901 2153/**
2e1d38db
SH
2154 * Print (or return) the start of a collapsible region
2155 *
2156 * The collapsibleregion has a caption that can be clicked to expand or collapse the region. If JavaScript is off, then the region
fa9f6bf6 2157 * will always be expanded.
512c5901 2158 *
2159 * @param string $classes class names added to the div that is output.
2160 * @param string $id id added to the div that is output. Must not be blank.
2161 * @param string $caption text displayed at the top. Clicking on this will cause the region to expand or contract.
ad9ab4df 2162 * @param string $userpref the name of the user preference that stores the user's preferred default state.
512c5901 2163 * (May be blank if you do not wish the state to be persisted.
fa9f6bf6 2164 * @param boolean $default Initial collapsed state to use if the user_preference it not set.
512c5901 2165 * @param boolean $return if true, return the HTML as a string, rather than printing it.
449611af 2166 * @return string|void if $return is false, returns nothing, otherwise returns a string of HTML.
512c5901 2167 */
ad9ab4df 2168function print_collapsible_region_start($classes, $id, $caption, $userpref = '', $default = false, $return = false) {
2e1d38db 2169 global $PAGE;
f2eb5002 2170
f2eb5002 2171 // Work out the initial state.
ad9ab4df 2172 if (!empty($userpref) and is_string($userpref)) {
f2eb5002 2173 user_preference_allow_ajax_update($userpref, PARAM_BOOL);
2174 $collapsed = get_user_preferences($userpref, $default);
2175 } else {
2176 $collapsed = $default;
2177 $userpref = false;
2178 }
2179
67c8a3e8 2180 if ($collapsed) {
2181 $classes .= ' collapsed';
2182 }
2183
f2eb5002 2184 $output = '';
2185 $output .= '<div id="' . $id . '" class="collapsibleregion ' . $classes . '">';
67c8a3e8 2186 $output .= '<div id="' . $id . '_sizer">';
f2eb5002 2187 $output .= '<div id="' . $id . '_caption" class="collapsibleregioncaption">';
2188 $output .= $caption . ' ';
67c8a3e8 2189 $output .= '</div><div id="' . $id . '_inner" class="collapsibleregioninner">';
38224dcb 2190 $PAGE->requires->js_init_call('M.util.init_collapsible_region', array($id, $userpref, get_string('clicktohideshow')));
f2eb5002 2191
2192 if ($return) {
2193 return $output;
2194 } else {
2195 echo $output;
2196 }
2197}
2198
512c5901 2199/**
2200 * Close a region started with print_collapsible_region_start.
2201 *
2202 * @param boolean $return if true, return the HTML as a string, rather than printing it.
449611af 2203 * @return string|void if $return is false, returns nothing, otherwise returns a string of HTML.
512c5901 2204 */
f2eb5002 2205function print_collapsible_region_end($return = false) {
904998d8 2206 $output = '</div></div></div>';
f2eb5002 2207
2208 if ($return) {
2209 return $output;
2210 } else {
2211 echo $output;
2212 }
2213}
2214
d48b00b4 2215/**
2216 * Print a specified group's avatar.
2217 *
a8ff9488 2218 * @param array|stdClass $group A single {@link group} object OR array of groups.
ce3735d4 2219 * @param int $courseid The course ID.
2220 * @param boolean $large Default small picture, or large.
2221 * @param boolean $return If false print picture, otherwise return the output as string
2222 * @param boolean $link Enclose image in a link to view specified course?
449611af 2223 * @return string|void Depending on the setting of $return
d48b00b4 2224 */
da4124be 2225function print_group_picture($group, $courseid, $large=false, $return=false, $link=true) {
f374fb10 2226 global $CFG;
2227
fdcd0f05 2228 if (is_array($group)) {
2229 $output = '';
2e1d38db 2230 foreach ($group as $g) {
fdcd0f05 2231 $output .= print_group_picture($g, $courseid, $large, true, $link);
2232 }
da4124be 2233 if ($return) {
fdcd0f05 2234 return $output;
2235 } else {
2236 echo $output;
2237 return;
2238 }
2239 }
2240
b0c6dc1c 2241 $context = context_course::instance($courseid);
97ea4833 2242
2e1d38db 2243 // If there is no picture, do nothing.
4a9cf90e
SM
2244 if (!$group->picture) {
2245 return '';
2246 }
2247
2e1d38db 2248 // If picture is hidden, only show to those with course:managegroups.
ec7a8b79 2249 if ($group->hidepicture and !has_capability('moodle/course:managegroups', $context)) {
3c0561cf 2250 return '';
2251 }
c3cbfe7f 2252
ec7a8b79 2253 if ($link or has_capability('moodle/site:accessallgroups', $context)) {
a756cf1d 2254 $output = '<a href="'. $CFG->wwwroot .'/user/index.php?id='. $courseid .'&amp;group='. $group->id .'">';
3c0561cf 2255 } else {
2256 $output = '';
2257 }
2258 if ($large) {
b0ccd3fb 2259 $file = 'f1';
3c0561cf 2260 } else {
b0ccd3fb 2261 $file = 'f2';
3c0561cf 2262 }
4a9cf90e 2263
e88dd876 2264 $grouppictureurl = moodle_url::make_pluginfile_url($context->id, 'group', 'icon', $group->id, '/', $file);
4a9cf90e
SM
2265 $output .= '<img class="grouppicture" src="'.$grouppictureurl.'"'.
2266 ' alt="'.s(get_string('group').' '.$group->name).'" title="'.s($group->name).'"/>';
2267
ec7a8b79 2268 if ($link or has_capability('moodle/site:accessallgroups', $context)) {
b0ccd3fb 2269 $output .= '</a>';
3c0561cf 2270 }
f374fb10 2271
da4124be 2272 if ($return) {
f374fb10 2273 return $output;
2274 } else {
2275 echo $output;
2276 }
2277}
2278
9fa49e22 2279
449611af 2280/**
2281 * Display a recent activity note
49c8c8d2 2282 *
449611af 2283 * @staticvar string $strftimerecent
2e1d38db
SH
2284 * @param int $time A timestamp int.
2285 * @param stdClass $user A user object from the database.
449611af 2286 * @param string $text Text for display for the note
2287 * @param string $link The link to wrap around the text
2288 * @param bool $return If set to true the HTML is returned rather than echo'd
2289 * @param string $viewfullnames
2e1d38db 2290 * @return string If $retrun was true returns HTML for a recent activity notice.
449611af 2291 */
dd97c328 2292function print_recent_activity_note($time, $user, $text, $link, $return=false, $viewfullnames=null) {
2293 static $strftimerecent = null;
da4124be 2294 $output = '';
2295
dd97c328 2296 if (is_null($viewfullnames)) {
b0c6dc1c 2297 $context = context_system::instance();
dd97c328 2298 $viewfullnames = has_capability('moodle/site:viewfullnames', $context);
2299 }
3f8a3834 2300
dd97c328 2301 if (is_null($strftimerecent)) {
8f7dc7f1 2302 $strftimerecent = get_string('strftimerecent');
2303 }
2304
da4124be 2305 $output .= '<div class="head">';
dd97c328 2306 $output .= '<div class="date">'.userdate($time, $strftimerecent).'</div>';
2307 $output .= '<div class="name">'.fullname($user, $viewfullnames).'</div>';
da4124be 2308 $output .= '</div>';
2e1d38db 2309 $output .= '<div class="info"><a href="'.$link.'">'.format_string($text, true).'</a></div>';
da4124be 2310
2311 if ($return) {
2312 return $output;
2313 } else {
2314 echo $output;
2315 }
8f7dc7f1 2316}
2317
f3a74e68 2318/**
449611af 2319 * Returns a popup menu with course activity modules
2320 *
2e1d38db
SH
2321 * Given a course this function returns a small popup menu with all the course activity modules in it, as a navigation menu
2322 * outputs a simple list structure in XHTML.
2323 * The data is taken from the serialised array stored in the course record.
449611af 2324 *
449611af 2325 * @param course $course A {@link $COURSE} object.
2e1d38db
SH
2326 * @param array $sections
2327 * @param course_modinfo $modinfo
449611af 2328 * @param string $strsection
2329 * @param string $strjumpto
2330 * @param int $width
2331 * @param string $cmid
2332 * @return string The HTML block
f3a74e68 2333 */
85489a5b 2334function navmenulist($course, $sections, $modinfo, $strsection, $strjumpto, $width=50, $cmid=0) {
f3a74e68 2335
4bc685df 2336 global $CFG, $OUTPUT;
f3a74e68 2337
f3a74e68 2338 $section = -1;
f3a74e68 2339 $menu = array();
dd97c328 2340 $doneheading = false;
f3a74e68 2341
850acb35 2342 $courseformatoptions = course_get_format($course)->get_format_options();
b0c6dc1c 2343 $coursecontext = context_course::instance($course->id);
85489a5b 2344
36c446cb 2345 $menu[] = '<ul class="navmenulist"><li class="jumpto section"><span>'.$strjumpto.'</span><ul>';
dd97c328 2346 foreach ($modinfo->cms as $mod) {
0d8b6a69 2347 if (!$mod->has_view()) {
2348 // Don't show modules which you can't link to!
f3a74e68 2349 continue;
2350 }
2351
2e1d38db 2352 // For course formats using 'numsections' do not show extra sections.
850acb35 2353 if (isset($courseformatoptions['numsections']) && $mod->sectionnum > $courseformatoptions['numsections']) {
f3a74e68 2354 break;
2355 }
2356
2e1d38db 2357 if (!$mod->uservisible) { // Do not icnlude empty sections at all.
dd97c328 2358 continue;
2359 }
2360
76cbde41 2361 if ($mod->sectionnum >= 0 and $section != $mod->sectionnum) {
2362 $thissection = $sections[$mod->sectionnum];
f3a74e68 2363
850acb35
MG
2364 if ($thissection->visible or
2365 (isset($courseformatoptions['hiddensections']) and !$courseformatoptions['hiddensections']) or
2366 has_capability('moodle/course:viewhiddensections', $coursecontext)) {
2e1d38db 2367 $thissection->summary = strip_tags(format_string($thissection->summary, true));
dd97c328 2368 if (!$doneheading) {
dfe66174 2369 $menu[] = '</ul></li>';
f3a74e68 2370 }
2371 if ($course->format == 'weeks' or empty($thissection->summary)) {
76cbde41 2372 $item = $strsection ." ". $mod->sectionnum;
f3a74e68 2373 } else {
2f1e464a 2374 if (core_text::strlen($thissection->summary) < ($width-3)) {
b3ab80aa 2375 $item = $thissection->summary;
f3a74e68 2376 } else {
2f1e464a 2377 $item = core_text::substr($thissection->summary, 0, $width).'...';
f3a74e68 2378 }
2379 }
36c446cb 2380 $menu[] = '<li class="section"><span>'.$item.'</span>';
f3a74e68 2381 $menu[] = '<ul>';
2382 $doneheading = true;
dd97c328 2383
76cbde41 2384 $section = $mod->sectionnum;
dd97c328 2385 } else {
2e1d38db 2386 // No activities from this hidden section shown.
dd97c328 2387 continue;
f3a74e68 2388 }
2389 }
2390
dd97c328 2391 $url = $mod->modname .'/view.php?id='. $mod->id;
9a9012dc 2392 $mod->name = strip_tags(format_string($mod->name ,true));
2f1e464a
PS
2393 if (core_text::strlen($mod->name) > ($width+5)) {
2394 $mod->name = core_text::substr($mod->name, 0, $width).'...';
f3a74e68 2395 }
dd97c328 2396 if (!$mod->visible) {
2397 $mod->name = '('.$mod->name.')';
2398 }
2399 $class = 'activity '.$mod->modname;
996c1a6f 2400 $class .= ($cmid == $mod->id) ? ' selected' : '';
dd97c328 2401 $menu[] = '<li class="'.$class.'">'.
b5d0cafc 2402 '<img src="'.$OUTPUT->pix_url('icon', $mod->modname) . '" alt="" />'.
dd97c328 2403 '<a href="'.$CFG->wwwroot.'/mod/'.$url.'">'.$mod->name.'</a></li>';
f3a74e68 2404 }
dd97c328 2405
dfe66174 2406 if ($doneheading) {
f713e270 2407 $menu[] = '</ul></li>';
dfe66174 2408 }
143211e5 2409 $menu[] = '</ul></li></ul>';
f3a74e68 2410
2411 return implode("\n", $menu);
2412}
2413
d48b00b4 2414/**
2e1d38db 2415 * Prints a grade menu (as part of an existing form) with help showing all possible numerical grades and scales.
d48b00b4 2416 *
d48b00b4 2417 * @todo Finish documenting this function
f8065dd2 2418 * @todo Deprecate: this is only used in a few contrib modules
449611af 2419 *
449611af 2420 * @param int $courseid The course ID
49c8c8d2 2421 * @param string $name
2422 * @param string $current
449611af 2423 * @param boolean $includenograde Include those with no grades
2424 * @param boolean $return If set to true returns rather than echo's
2425 * @return string|bool Depending on value of $return
d48b00b4 2426 */
da4124be 2427function print_grade_menu($courseid, $name, $current, $includenograde=true, $return=false) {
2e1d38db 2428 global $OUTPUT;
62ca135d 2429
da4124be 2430 $output = '';
b0ccd3fb 2431 $strscale = get_string('scale');
2432 $strscales = get_string('scales');
62ca135d 2433
1f7deef6 2434 $scales = get_scales_menu($courseid);
62ca135d 2435 foreach ($scales as $i => $scalename) {
b0ccd3fb 2436 $grades[-$i] = $strscale .': '. $scalename;
62ca135d 2437 }
d6bdd9d5 2438 if ($includenograde) {
b0ccd3fb 2439 $grades[0] = get_string('nograde');
d6bdd9d5 2440 }
62ca135d 2441 for ($i=100; $i>=1; $i--) {
2442 $grades[$i] = $i;
2443 }
d776d59e 2444 $output .= html_writer::select($grades, $name, $current, false);
62ca135d 2445
2e1d38db
SH
2446 $helppix = $OUTPUT->pix_url('help');
2447 $linkobject = '<span class="helplink"><img class="iconhelp" alt="'.$strscales.'" src="'.$helppix.'" /></span>';
2448 $link = new moodle_url('/course/scales.php', array('id' => $courseid, 'list' => 1));
48561e1b 2449 $action = new popup_action('click', $link, 'ratingscales', array('height' => 400, 'width' => 500));
2e1d38db 2450 $output .= $OUTPUT->action_link($link, $linkobject, $action, array('title' => $strscales));
da4124be 2451
2452 if ($return) {
2453 return $output;
2454 } else {
2455 echo $output;
2456 }
62ca135d 2457}
2458
7cfb11db 2459/**
2460 * Print an error to STDOUT and exit with a non-zero code. For commandline scripts.
2e1d38db 2461 *
7cfb11db 2462 * Default errorcode is 1.
2463 *
2464 * Very useful for perl-like error-handling:
7cfb11db 2465 * do_somethting() or mdie("Something went wrong");
2466 *
2467 * @param string $msg Error message
73f7ad71 2468 * @param integer $errorcode Error code to emit
7cfb11db 2469 */
2470function mdie($msg='', $errorcode=1) {
2471 trigger_error($msg);
2472 exit($errorcode);
2473}
2474
d48b00b4 2475/**
2476 * Print a message and exit.
2477 *
449611af 2478 * @param string $message The message to print in the notice
2479 * @param string $link The link to use for the continue button
2e1d38db 2480 * @param object $course A course object. Unused.
449611af 2481 * @return void This function simply exits
d48b00b4 2482 */
2e1d38db
SH
2483function notice ($message, $link='', $course=null) {
2484 global $PAGE, $OUTPUT;
9fa49e22 2485
2e1d38db 2486 $message = clean_text($message); // In case nasties are in here.
9f7f1a74 2487
a91b910e 2488 if (CLI_SCRIPT) {
258d5322 2489 echo("!!$message!!\n");
2e1d38db 2490 exit(1); // No success.
d795bfdb 2491 }
2492
c13a5e71 2493 if (!$PAGE->headerprinted) {
2e1d38db 2494 // Header not yet printed.
de6d81e6 2495 $PAGE->set_title(get_string('notice'));
2496 echo $OUTPUT->header();
d795bfdb 2497 } else {
f6794ace 2498 echo $OUTPUT->container_end_all(false);
d795bfdb 2499 }
9fa49e22 2500
ea85e1ee 2501 echo $OUTPUT->box($message, 'generalbox', 'notice');
aa9a6867 2502 echo $OUTPUT->continue_button($link);
5ce73257 2503
7e0d6675 2504 echo $OUTPUT->footer();
2e1d38db 2505 exit(1); // General error code.
9fa49e22 2506}
2507
d48b00b4 2508/**
2e1d38db 2509 * Redirects the user to another page, after printing a notice.
d48b00b4 2510 *
2e1d38db 2511 * This function calls the OUTPUT redirect method, echo's the output and then dies to ensure nothing else happens.
e8775320 2512 *
2513 * <strong>Good practice:</strong> You should call this method before starting page
2514 * output by using any of the OUTPUT methods.
449611af 2515 *
db82872e 2516 * @param moodle_url|string $url A moodle_url to redirect to. Strings are not to be trusted!
e8775320 2517 * @param string $message The message to display to the user
2518 * @param int $delay The delay before redirecting
2e1d38db 2519 * @throws moodle_exception
d48b00b4 2520 */
1ae083e4 2521function redirect($url, $message='', $delay=-1) {
2e1d38db 2522 global $OUTPUT, $PAGE, $CFG;
d3f9f1f8 2523
1adaa404 2524 if (CLI_SCRIPT or AJAX_SCRIPT) {
2e1d38db 2525 // This is wrong - developers should not use redirect in these scripts but it should not be very likely.
1adaa404
PS
2526 throw new moodle_exception('redirecterrordetected', 'error');
2527 }
2528
2e1d38db 2529 // Prevent debug errors - make sure context is properly initialised.
9b540305
PS
2530 if ($PAGE) {
2531 $PAGE->set_context(null);
2e1d38db 2532 $PAGE->set_pagelayout('redirect'); // No header and footer needed.
9b540305 2533 }
afa7cfa8 2534
366c7499 2535 if ($url instanceof moodle_url) {
b9bc2019 2536 $url = $url->out(false);
366c7499 2537 }
2538
afa7cfa8
PS
2539 $debugdisableredirect = false;
2540 do {
2541 if (defined('DEBUGGING_PRINTED')) {
2e1d38db 2542 // Some debugging already printed, no need to look more.
afa7cfa8
PS
2543 $debugdisableredirect = true;
2544 break;
2545 }
2546
2547 if (empty($CFG->debugdisplay) or empty($CFG->debug)) {
2e1d38db 2548 // No errors should be displayed.
afa7cfa8
PS
2549 break;
2550 }
2551
2552 if (!function_exists('error_get_last') or !$lasterror = error_get_last()) {
2553 break;
2554 }
2555
2556 if (!($lasterror['type'] & $CFG->debug)) {
2e1d38db 2557 // Last error not interesting.
afa7cfa8
PS
2558 break;
2559 }
2560
2e1d38db 2561 // Watch out here, @hidden() errors are returned from error_get_last() too.
afa7cfa8 2562 if (headers_sent()) {
2e1d38db 2563 // We already started printing something - that means errors likely printed.
afa7cfa8
PS
2564 $debugdisableredirect = true;
2565 break;
2566 }
2567
2568 if (ob_get_level() and ob_get_contents()) {
2e1d38db
SH
2569 // There is something waiting to be printed, hopefully it is the errors,
2570 // but it might be some error hidden by @ too - such as the timezone mess from setup.php.
afa7cfa8
PS
2571 $debugdisableredirect = true;
2572 break;
2573 }
2574 } while (false);
ae96b517 2575
581e8dba
PS
2576 // Technically, HTTP/1.1 requires Location: header to contain the absolute path.
2577 // (In practice browsers accept relative paths - but still, might as well do it properly.)
2578 // This code turns relative into absolute.
2579 if (!preg_match('|^[a-z]+:|', $url)) {
2e1d38db 2580 // Get host name http://www.wherever.com.
581e8dba
PS
2581 $hostpart = preg_replace('|^(.*?[^:/])/.*$|', '$1', $CFG->wwwroot);
2582 if (preg_match('|^/|', $url)) {
2e1d38db 2583 // URLs beginning with / are relative to web server root so we just add them in.
581e8dba
PS
2584 $url = $hostpart.$url;
2585 } else {
2586 // URLs not beginning with / are relative to path of current script, so add that on.
2e1d38db 2587 $url = $hostpart.preg_replace('|\?.*$|', '', me()).'/../'.$url;
581e8dba 2588 }
2e1d38db 2589 // Replace all ..s.
581e8dba
PS
2590 while (true) {
2591 $newurl = preg_replace('|/(?!\.\.)[^/]*/\.\./|', '/', $url);
2592 if ($newurl == $url) {
2593 break;
2594 }
2595 $url = $newurl;
2596 }
2597 }
2598
2599 // Sanitise url - we can not rely on moodle_url or our URL cleaning
2e1d38db 2600 // because they do not support all valid external URLs.
581e8dba
PS
2601 $url = preg_replace('/[\x00-\x1F\x7F]/', '', $url);
2602 $url = str_replace('"', '%22', $url);
2603 $encodedurl = preg_replace("/\&(?![a-zA-Z0-9#]{1,8};)/", "&amp;", $url);
2604 $encodedurl = preg_replace('/^.*href="([^"]*)".*$/', "\\1", clean_text('<a href="'.$encodedurl.'" />', FORMAT_HTML));
2605 $url = str_replace('&amp;', '&', $encodedurl);
2606
ae96b517 2607 if (!empty($message)) {
2608 if ($delay === -1 || !is_numeric($delay)) {
e8775320 2609 $delay = 3;
3446daa3 2610 }
e8775320 2611 $message = clean_text($message);
2612 } else {
ae96b517 2613 $message = get_string('pageshouldredirect');
e8775320 2614 $delay = 0;
f231e867 2615 }
2deebecd 2616
e8775320 2617 if (defined('MDL_PERF') || (!empty($CFG->perfdebug) and $CFG->perfdebug > 7)) {
2618 if (defined('MDL_PERFTOLOG') && !function_exists('register_shutdown_function')) {
2619 $perf = get_performance_info();
2620 error_log("PERF: " . $perf['txt']);
2621 }
f231e867 2622 }
3eb89b99 2623
ae96b517 2624 if ($delay == 0 && !$debugdisableredirect && !headers_sent()) {
2e1d38db 2625 // Workaround for IIS bug http://support.microsoft.com/kb/q176113/.
b399e435
PS
2626 if (session_id()) {
2627 session_get_instance()->write_close();
2628 }
2629
2e1d38db 2630 // 302 might not work for POST requests, 303 is ignored by obsolete clients.
ae96b517 2631 @header($_SERVER['SERVER_PROTOCOL'] . ' 303 See Other');
2632 @header('Location: '.$url);
5e39d7aa 2633 echo bootstrap_renderer::plain_redirect_message($encodedurl);
2634 exit;
ae96b517 2635 }
b7009474 2636
ae96b517 2637 // Include a redirect message, even with a HTTP redirect, because that is recommended practice.
f0f8f9a7 2638 if ($PAGE) {
2e1d38db 2639 $CFG->docroot = false; // To prevent the link to moodle docs from being displayed on redirect page.
f0f8f9a7
PS
2640 echo $OUTPUT->redirect_message($encodedurl, $message, $delay, $debugdisableredirect);
2641 exit;
2642 } else {
2643 echo bootstrap_renderer::early_redirect_message($encodedurl, $message, $delay);
2644 exit;
2645 }
9fa49e22 2646}
2647
d48b00b4 2648/**
2e1d38db 2649 * Given an email address, this function will return an obfuscated version of it.
d48b00b4 2650 *
89dcb99d 2651 * @param string $email The email address to obfuscate
449611af 2652 * @return string The obfuscated email address
d48b00b4 2653 */
2e1d38db 2654function obfuscate_email($email) {
43373804 2655 $i = 0;
2656 $length = strlen($email);
b0ccd3fb 2657 $obfuscated = '';
43373804 2658 while ($i < $length) {
2e1d38db 2659 if (rand(0, 2) && $email{$i}!='@') { // MDL-20619 some browsers have problems unobfuscating @.
43373804 2660 $obfuscated.='%'.dechex(ord($email{$i}));
2661 } else {
2662 $obfuscated.=$email{$i};
2663 }
2664 $i++;
2665 }
2666 return $obfuscated;
2667}
2668
d48b00b4 2669/**
2670 * This function takes some text and replaces about half of the characters
2671 * with HTML entity equivalents. Return string is obviously longer.
2672 *
89dcb99d 2673 * @param string $plaintext The text to be obfuscated
449611af 2674 * @return string The obfuscated text
d48b00b4 2675 */
43373804 2676function obfuscate_text($plaintext) {
43373804 2677 $i=0;
2f1e464a 2678 $length = core_text::strlen($plaintext);
b0ccd3fb 2679 $obfuscated='';
2e1d38db 2680 $prevobfuscated = false;
43373804 2681 while ($i < $length) {
2f1e464a
PS
2682 $char = core_text::substr($plaintext, $i, 1);
2683 $ord = core_text::utf8ord($char);
66056f99 2684 $numerical = ($ord >= ord('0')) && ($ord <= ord('9'));
2e1d38db 2685 if ($prevobfuscated and $numerical ) {
66056f99 2686 $obfuscated.='&#'.$ord.';';
2e1d38db 2687 } else if (rand(0, 2)) {
66056f99 2688 $obfuscated.='&#'.$ord.';';
2e1d38db 2689 $prevobfuscated = true;
43373804 2690 } else {
66056f99 2691 $obfuscated.=$char;
2e1d38db 2692 $prevobfuscated = false;
43373804 2693 }
2e1d38db 2694 $i++;
43373804 2695 }
2696 return $obfuscated;
2697}
2698
d48b00b4 2699/**
89dcb99d 2700 * This function uses the {@link obfuscate_email()} and {@link obfuscate_text()}
2701 * to generate a fully obfuscated email link, ready to use.
d48b00b4 2702 *
89dcb99d 2703 * @param string $email The email address to display
fa9f6bf6 2704 * @param string $label The text to displayed as hyperlink to $email
89dcb99d 2705 * @param boolean $dimmed If true then use css class 'dimmed' for hyperlink
c216eb20
FM
2706 * @param string $subject The subject of the email in the mailto link
2707 * @param string $body The content of the email in the mailto link
449611af 2708 * @return string The obfuscated mailto link
d48b00b4 2709 */
c216eb20 2710function obfuscate_mailto($email, $label='', $dimmed=false, $subject = '', $body = '') {
43373804 2711
2712 if (empty($label)) {
2713 $label = $email;
2714 }
c216eb20
FM
2715
2716 $label = obfuscate_text($label);
2717 $email = obfuscate_email($email);
2718 $mailto = obfuscate_text('mailto');
2719 $url = new moodle_url("mailto:$email");
2720 $attrs = array();
2721
2722 if (!empty($subject)) {
2723 $url->param('subject', format_string($subject));
2724 }
2725 if (!empty($body)) {
2726 $url->param('body', format_string($body));
2727 }
2728
2e1d38db 2729 // Use the obfuscated mailto.
c216eb20
FM
2730 $url = preg_replace('/^mailto/', $mailto, $url->out());
2731
cadb96f2 2732 if ($dimmed) {
c216eb20
FM
2733 $attrs['title'] = get_string('emaildisable');
2734 $attrs['class'] = 'dimmed';
cadb96f2 2735 }
c216eb20
FM
2736
2737 return html_writer::link($url, $label, $attrs);
43373804 2738}
2739
d48b00b4 2740/**
2741 * This function is used to rebuild the <nolink> tag because some formats (PLAIN and WIKI)
2742 * will transform it to html entities
2743 *
89dcb99d 2744 * @param string $text Text to search for nolink tag in
2745 * @return string
d48b00b4 2746 */
ab892a4f 2747function rebuildnolinktag($text) {
ab9f24ad 2748
2e1d38db 2749 $text = preg_replace('/&lt;(\/*nolink)&gt;/i', '<$1>', $text);
ab892a4f 2750
2751 return $text;
2752}
2753
1695b680 2754/**
2e1d38db 2755 * Prints a maintenance message from $CFG->maintenance_message or default if empty.
1695b680 2756 */
4fe2250a 2757function print_maintenance_message() {
3c159385 2758 global $CFG, $SITE, $PAGE, $OUTPUT;
a2b3f884 2759
ad5d5997 2760 $PAGE->set_pagetype('maintenance-message');
78946b9b 2761 $PAGE->set_pagelayout('maintenance');
de6d81e6 2762 $PAGE->set_title(strip_tags($SITE->fullname));
2763 $PAGE->set_heading($SITE->fullname);
2764 echo $OUTPUT->header();
3c159385 2765 echo $OUTPUT->heading(get_string('sitemaintenance', 'admin'));
4fe2250a 2766 if (isset($CFG->maintenance_message) and !html_is_blank($CFG->maintenance_message)) {
ea85e1ee 2767 echo $OUTPUT->box_start('maintenance_message generalbox boxwidthwide boxaligncenter');
4fe2250a 2768 echo $CFG->maintenance_message;
ea85e1ee 2769 echo $OUTPUT->box_end();
4fe2250a 2770 }
7e0d6675 2771 echo $OUTPUT->footer();
4fe2250a 2772 die;
1695b680 2773}
2774
f88ddd67 2775/**
0b4f88a6 2776 * Returns a string containing a nested list, suitable for formatting into tabs with CSS.
f88ddd67 2777 *
c269b9d1
MG
2778 * It is not recommended to use this function in Moodle 2.5 but it is left for backward
2779 * compartibility.
2780 *
2781 * Example how to print a single line tabs:
2782 * $rows = array(
2783 * new tabobject(...),
2784 * new tabobject(...)
2785 * );
2786 * echo $OUTPUT->tabtree($rows, $selectedid);
2787 *
2788 * Multiple row tabs may not look good on some devices but if you want to use them
2789 * you can specify ->subtree for the active tabobject.
2790 *
f88ddd67 2791 * @param array $tabrows An array of rows where each row is an array of tab objects
0b4f88a6 2792 * @param string $selected The id of the selected tab (whatever row it's on)
2793 * @param array $inactive An array of ids of inactive tabs that are not selectable.
2794 * @param array $activated An array of ids of other tabs that are currently activated
449611af 2795 * @param bool $return If true output is returned rather then echo'd
2e1d38db
SH
2796 * @return string HTML output if $return was set to true.
2797 */
c269b9d1
MG
2798function print_tabs($tabrows, $selected = null, $inactive = null, $activated = null, $return = false) {
2799 global $OUTPUT;
6b25a26e 2800
2801 $tabrows = array_reverse($tabrows);
6b25a26e 2802 $subtree = array();
6b25a26e 2803 foreach ($tabrows as $row) {
2804 $tree = array();
2805
2806 foreach ($row as $tab) {
c269b9d1
MG
2807 $tab->inactive = is_array($inactive) && in_array((string)$tab->id, $inactive);
2808 $tab->activated = is_array($activated) && in_array((string)$tab->id, $activated);
f522d310 2809 $tab->selected = (string)$tab->id == $selected;
6b25a26e 2810
c269b9d1
MG
2811 if ($tab->activated || $tab->selected) {
2812 $tab->subtree = $subtree;
6b25a26e 2813 }
2814 $tree[] = $tab;
2815 }
2816 $subtree = $tree;
027b0fe7 2817 }
c269b9d1
MG
2818 $output = $OUTPUT->tabtree($subtree);
2819 if ($return) {
2820 return $output;
2821 } else {
2822 print $output;
2823 return !empty($output);
2824 }
f88ddd67 2825}
2826
96f81ea3
PS
2827/**
2828 * Alter debugging level for the current request,
2829 * the change is not saved in database.
2830 *
2831 * @param int $level one of the DEBUG_* constants
2832 * @param bool $debugdisplay
2833 */
2834function set_debugging($level, $debugdisplay = null) {
2835 global $CFG;
2836
2837 $CFG->debug = (int)$level;
ce7b06bc 2838 $CFG->debugdeveloper = (($CFG->debug & DEBUG_DEVELOPER) === DEBUG_DEVELOPER);
96f81ea3
PS
2839
2840 if ($debugdisplay !== null) {
2841 $CFG->debugdisplay = (bool)$debugdisplay;
2842 }
2843}
2844
fa989c38 2845/**
449611af 2846 * Standard Debugging Function
2847 *
7eb0b60a 2848 * Returns true if the current site debugging settings are equal or above specified level.
4bd0ddea 2849 * If passed a parameter it will emit a debugging notice similar to trigger_error(). The
2850 * routing of notices is controlled by $CFG->debugdisplay
fa989c38 2851 * eg use like this:
2852 *
7eb0b60a 2853 * 1) debugging('a normal debug notice');
2854 * 2) debugging('something really picky', DEBUG_ALL);
fa9f6bf6 2855 * 3) debugging('annoying debug message only for developers', DEBUG_DEVELOPER);
4bd0ddea 2856 * 4) if (debugging()) { perform extra debugging operations (do not use print or echo) }
2857 *
2858 * In code blocks controlled by debugging() (such as example 4)
2859 * any output should be routed via debugging() itself, or the lower-level
2860 * trigger_error() or error_log(). Using echo or print will break XHTML
2861 * JS and HTTP headers.
2862 *
2e9b772f 2863 * It is also possible to define NO_DEBUG_DISPLAY which redirects the message to error_log.
fa989c38 2864 *
2fca6e0b 2865 * @param string $message a message to print
fa989c38 2866 * @param int $level the level at which this debugging statement should show
eee5d9bb 2867 * @param array $backtrace use different backtrace
fa989c38 2868 * @return bool
2869 */
34a2777c 2870function debugging($message = '', $level = DEBUG_NORMAL, $backtrace = null) {
c8b3346c 2871 global $CFG, $USER;
fa989c38 2872
0ed26d12 2873 $forcedebug = false;
5dad4591 2874 if (!empty($CFG->debugusers) && $USER) {
0ed26d12
PS
2875 $debugusers = explode(',', $CFG->debugusers);
2876 $forcedebug = in_array($USER->id, $debugusers);
2877 }
2878
a3d5830a 2879 if (!$forcedebug and (empty($CFG->debug) || ($CFG->debug != -1 and $CFG->debug < $level))) {
fa989c38 2880 return false;
2881 }
2882
34a2777c 2883 if (!isset($CFG->debugdisplay)) {
2884 $CFG->debugdisplay = ini_get_bool('display_errors');
795a08ad 2885 }
2886
34a2777c 2887 if ($message) {
2888 if (!$backtrace) {
2889 $backtrace = debug_backtrace();
251387d0 2890 }
34a2777c 2891 $from = format_backtrace($backtrace, CLI_SCRIPT);
a3d5830a 2892 if (PHPUNIT_TEST) {
ef5b5e05
PS
2893 if (phpunit_util::debugging_triggered($message, $level, $from)) {
2894 // We are inside test, the debug message was logged.
2895 return true;
2896 }
2897 }
5bd40408 2898
ef5b5e05 2899 if (NO_DEBUG_DISPLAY) {
2e1d38db
SH
2900 // Script does not want any errors or debugging in output,
2901 // we send the info to error log instead.
2e9b772f
PS
2902 error_log('Debugging: ' . $message . $from);
2903
0ed26d12 2904 } else if ($forcedebug or $CFG->debugdisplay) {
34a2777c 2905 if (!defined('DEBUGGING_PRINTED')) {
2e1d38db 2906 define('DEBUGGING_PRINTED', 1); // Indicates we have printed something.
251387d0 2907 }
2df1126b
PS
2908 if (CLI_SCRIPT) {
2909 echo "++ $message ++\n$from";
2910 } else {
3e76c7fa 2911 echo '<div class="notifytiny debuggingmessage" data-rel="debugging">' , $message , $from , '</div>';
2df1126b 2912 }
2e9b772f 2913
34a2777c 2914 } else {
2915 trigger_error($message . $from, E_USER_NOTICE);
251387d0 2916 }
251387d0 2917 }
34a2777c 2918 return true;
251387d0 2919}
2920
4d0ccfa7 2921/**
2e1d38db
SH
2922 * Outputs a HTML comment to the browser.
2923 *
2924 * This is used for those hard-to-debug pages that use bits from many different files in very confusing ways (e.g. blocks).
2925 *
2926 * <code>print_location_comment(__FILE__, __LINE__);</code>
2927 *
2928 * @param string $file
2929 * @param integer $line
2930 * @param boolean $return Whether to return or print the comment
2931 * @return string|void Void unless true given as third parameter
2932 */
2933function print_location_comment($file, $line, $return = false) {
4d0ccfa7 2934 if ($return) {
2935 return "<!-- $file at line $line -->\n";
2936 } else {
2937 echo "<!-- $file at line $line -->\n";
2938 }
2939}
f145c248 2940
82b4da86 2941
f1af7aaa 2942/**
2e1d38db
SH
2943 * Returns true if the user is using a right-to-left language.
2944 *
b7009474 2945 * @return boolean true if the current language is right-to-left (Hebrew, Arabic etc)
b2118095 2946 */
2947function right_to_left() {
e372f4c7 2948 return (get_string('thisdirection', 'langconfig') === 'rtl');
b2118095 2949}
2950
2951
2952/**
2e1d38db
SH
2953 * Returns swapped left<=> right if in RTL environment.
2954 *
2955 * Part of RTL Moodles support.
b2118095 2956 *
2957 * @param string $align align to check
2958 * @return string
2959 */
2960function fix_align_rtl($align) {
c5659019 2961 if (!right_to_left()) {
f1af7aaa 2962 return $align;
b2118095 2963 }
2e1d38db
SH
2964 if ($align == 'left') {
2965 return 'right';
2966 }
2967 if ($align == 'right') {
2968 return 'left';
2969 }
c5659019 2970 return $align;
b2118095 2971}
2972
2973
ee9beb53 2974/**
2975 * Returns true if the page is displayed in a popup window.
2e1d38db 2976 *
ee9beb53 2977 * Gets the information from the URL parameter inpopup.
2978 *
fa9f6bf6 2979 * @todo Use a central function to create the popup calls all over Moodle and
449611af 2980 * In the moment only works with resources and probably questions.
ee9beb53 2981 *
449611af 2982 * @return boolean
ee9beb53 2983 */
f7c926ee 2984function is_in_popup() {
ee9beb53 2985 $inpopup = optional_param('inpopup', '', PARAM_BOOL);
c5659019 2986
ee9beb53 2987 return ($inpopup);
2988}
27bd819b 2989
c9ec505b 2990/**
2e1d38db
SH
2991 * Progress bar class.
2992 *
2993 * Manages the display of a progress bar.
2994 *
c9ec505b 2995 * To use this class.
2996 * - construct
2997 * - call create (or use the 3rd param to the constructor)
dfd9f745 2998 * - call update or update_full() or update() repeatedly
449611af 2999 *
2e1d38db 3000 * @copyright 2008 jamiesensei
449611af 3001 * @license http://www.gnu.org/copyleft/gpl.html GNU GPL v3 or later
2e1d38db 3002 * @package core
c9ec505b 3003 */
a6553373 3004class progress_bar {
fd4faf98 3005 /** @var string html id */
a6553373 3006 private $html_id;
dfd9f745 3007 /** @var int total width */
a6553373 3008 private $width;
dfd9f745
PS
3009 /** @var int last percentage printed */
3010 private $percent = 0;
3011 /** @var int time when last printed */
3012 private $lastupdate = 0;
3013 /** @var int when did we start printing this */
3014 private $time_start = 0;
3015
449611af 3016 /**
fa9f6bf6 3017 * Constructor
449611af 3018 *
2e1d38db
SH
3019 * Prints JS code if $autostart true.
3020 *
449611af 3021 * @param string $html_id
3022 * @param int $width
3023 * @param bool $autostart Default to false
3024 */
2e1d38db
SH
3025 public function __construct($htmlid = '', $width = 500, $autostart = false) {
3026 if (!empty($htmlid)) {
3027 $this->html_id = $htmlid;
fd4faf98 3028 } else {
dfd9f745 3029 $this->html_id = 'pbar_'.uniqid();
fd4faf98 3030 }
dfd9f745 3031
a6553373 3032 $this->width = $width;
dfd9f745 3033
2e1d38db 3034 if ($autostart) {
a6553373 3035 $this->create();
3036 }
3037 }
dfd9f745 3038
a6553373 3039 /**
2e1d38db
SH
3040 * Create a new progress bar, this function will output html.
3041 *
3042 * @return void Echo's output
3043 */
dfd9f745
PS
3044 public function create() {
3045 $this->time_start = microtime(true);
3046 if (CLI_SCRIPT) {
2e1d38db 3047 return; // Temporary solution for cli scripts.
dfd9f745 3048 }
b010a736 3049 $widthplusborder = $this->width + 2;
dfd9f745 3050 $htmlcode = <<<EOT
b010a736 3051 <div style="text-align:center;width:{$widthplusborder}px;clear:both;padding:0;margin:0 auto;">
dfd9f745
PS
3052 <h2 id="status_{$this->html_id}" style="text-align: center;margin:0 auto"></h2>
3053 <p id="time_{$this->html_id}"></p>
b010a736 3054 <div id="bar_{$this->html_id}" style="border-style:solid;border-width:1px;width:{$this->width}px;height:50px;">
dfd9f745
PS
3055 <div id="progress_{$this->html_id}"
3056 style="text-align:center;background:#FFCC66;width:4px;border:1px
3057 solid gray;height:38px; padding-top:10px;">&nbsp;<span id="pt_{$this->html_id}"></span>
a6553373 3058 </div>