PageRenderTime 75ms CodeModel.GetById 16ms RepoModel.GetById 0ms app.codeStats 0ms

/lib/limonade.php

https://github.com/masroore/limonade
PHP | 2707 lines | 1497 code | 262 blank | 948 comment | 249 complexity | b259ec69b2bc770280808cda307be6e1 MD5 | raw file

Large files files are truncated, but you can click here to view the full file

  1. <?php
  2. # ============================================================================ #
  3. /**
  4. * L I M O N A D E
  5. *
  6. * a PHP micro framework.
  7. *
  8. * For more informations: {@link https://github.com/sofadesign/limonade}
  9. *
  10. * @author Fabrice Luraine
  11. * @copyright Copyright (c) 2009 Fabrice Luraine
  12. * @license http://opensource.org/licenses/mit-license.php The MIT License
  13. * @package limonade
  14. */
  15. # ----------------------------------------------------------------------- #
  16. # Copyright (c) 2009 Fabrice Luraine #
  17. # #
  18. # Permission is hereby granted, free of charge, to any person #
  19. # obtaining a copy of this software and associated documentation #
  20. # files (the "Software"), to deal in the Software without #
  21. # restriction, including without limitation the rights to use, #
  22. # copy, modify, merge, publish, distribute, sublicense, and/or sell #
  23. # copies of the Software, and to permit persons to whom the #
  24. # Software is furnished to do so, subject to the following #
  25. # conditions: #
  26. # #
  27. # The above copyright notice and this permission notice shall be #
  28. # included in all copies or substantial portions of the Software. #
  29. # #
  30. # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, #
  31. # EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES #
  32. # OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND #
  33. # NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT #
  34. # HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, #
  35. # WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING #
  36. # FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR #
  37. # OTHER DEALINGS IN THE SOFTWARE. #
  38. # ============================================================================ #
  39. # ============================================================================ #
  40. # 0. PREPARE #
  41. # ============================================================================ #
  42. ## CONSTANTS __________________________________________________________________
  43. /**
  44. * Limonade version
  45. */
  46. define('LIMONADE', '0.5.0');
  47. define('LIM_NAME', 'Un grand cru qui sait se faire attendre');
  48. define('LIM_START_MICROTIME', microtime(true));
  49. define('LIM_SESSION_NAME', 'LIMONADE'.str_replace('.','x',LIMONADE));
  50. define('LIM_SESSION_FLASH_KEY', '_lim_flash_messages');
  51. if(function_exists('memory_get_usage'))
  52. define('LIM_START_MEMORY', memory_get_usage());
  53. define('E_LIM_HTTP', 32768);
  54. define('E_LIM_PHP', 65536);
  55. define('E_LIM_DEPRECATED', 35000);
  56. define('NOT_FOUND', 404);
  57. define('SERVER_ERROR', 500);
  58. define('ENV_PRODUCTION', 10);
  59. define('ENV_DEVELOPMENT', 100);
  60. define('X-SENDFILE', 10);
  61. define('X-LIGHTTPD-SEND-FILE', 20);
  62. # for PHP 5.3.0 <
  63. if(!defined('E_DEPRECATED')) define('E_DEPRECATED', 8192);
  64. if(!defined('E_USER_DEPRECATED')) define('E_USER_DEPRECATED', 16384);
  65. # for PHP 5.2.0 <
  66. if (!defined('E_RECOVERABLE_ERROR')) define('E_RECOVERABLE_ERROR', 4096);
  67. ## SETTING BASIC SECURITY _____________________________________________________
  68. # A. Unsets all global variables set from a superglobal array
  69. /**
  70. * @access private
  71. * @return void
  72. */
  73. function unregister_globals()
  74. {
  75. $args = func_get_args();
  76. foreach($args as $k => $v)
  77. if(array_key_exists($k, $GLOBALS)) unset($GLOBALS[$k]);
  78. }
  79. if(ini_get('register_globals'))
  80. {
  81. unregister_globals( '_POST', '_GET', '_COOKIE', '_REQUEST', '_SERVER',
  82. '_ENV', '_FILES');
  83. ini_set('register_globals', 0);
  84. }
  85. # B. removing magic quotes
  86. /**
  87. * @access private
  88. * @param string $array
  89. * @return array
  90. */
  91. function remove_magic_quotes($array)
  92. {
  93. foreach ($array as $k => $v)
  94. $array[$k] = is_array($v) ? remove_magic_quotes($v) : stripslashes($v);
  95. return $array;
  96. }
  97. if (get_magic_quotes_gpc())
  98. {
  99. $_GET = remove_magic_quotes($_GET);
  100. $_POST = remove_magic_quotes($_POST);
  101. $_COOKIE = remove_magic_quotes($_COOKIE);
  102. ini_set('magic_quotes_gpc', 0);
  103. }
  104. if(function_exists('set_magic_quotes_runtime') && get_magic_quotes_runtime()) set_magic_quotes_runtime(false);
  105. # C. Disable error display
  106. # by default, no error reporting; it will be switched on later in run().
  107. # ini_set('display_errors', 1); must be called explicitly in app file
  108. # if you want to show errors before running app
  109. ini_set('display_errors', 0);
  110. ## SETTING INTERNAL ROUTES _____________________________________________________
  111. dispatch(array("/_lim_css/*.css", array('_lim_css_filename')), 'render_limonade_css');
  112. /**
  113. * Internal controller that responds to route /_lim_css/*.css
  114. *
  115. * @access private
  116. * @return string
  117. */
  118. function render_limonade_css()
  119. {
  120. option('views_dir', file_path(option('limonade_public_dir'), 'css'));
  121. $fpath = file_path(params('_lim_css_filename').".css");
  122. return css($fpath, null); // with no layout
  123. }
  124. dispatch(array("/_lim_public/**", array('_lim_public_file')), 'render_limonade_file');
  125. /**
  126. * Internal controller that responds to route /_lim_public/**
  127. *
  128. * @access private
  129. * @return void
  130. */
  131. function render_limonade_file()
  132. {
  133. $fpath = file_path(option('limonade_public_dir'), params('_lim_public_file'));
  134. return render_file($fpath, true);
  135. }
  136. # # #
  137. # ============================================================================ #
  138. # 1. BASE #
  139. # ============================================================================ #
  140. ## ABSTRACTS ___________________________________________________________________
  141. # Abstract methods that might be redefined by user:
  142. #
  143. # - function configure(){}
  144. # - function initialize(){}
  145. # - function autoload_controller($callback){}
  146. # - function before($route){}
  147. # - function after($output, $route){}
  148. # - function not_found($errno, $errstr, $errfile=null, $errline=null){}
  149. # - function server_error($errno, $errstr, $errfile=null, $errline=null){}
  150. # - function route_missing($request_method, $request_uri){}
  151. # - function before_exit(){}
  152. # - function before_render($content_or_func, $layout, $locals, $view_path){}
  153. # - function autorender($route){}
  154. # - function before_sending_header($header){}
  155. #
  156. # See abstract.php for more details.
  157. ## MAIN PUBLIC FUNCTIONS _______________________________________________________
  158. /**
  159. * Set and returns options values
  160. *
  161. * If multiple values are provided, set $name option with an array of those values.
  162. * If there is only one value, set $name option with the provided $values
  163. *
  164. * @param string $name
  165. * @param mixed $values,...
  166. * @return mixed option value for $name if $name argument is provided, else return all options
  167. */
  168. function option($name = null, $values = null)
  169. {
  170. static $options = array();
  171. $args = func_get_args();
  172. $name = array_shift($args);
  173. if(is_null($name)) return $options;
  174. if(!empty($args))
  175. {
  176. $options[$name] = count($args) > 1 ? $args : $args[0];
  177. }
  178. if(array_key_exists($name, $options)) return $options[$name];
  179. return;
  180. }
  181. /**
  182. * Set and returns params
  183. *
  184. * Depending on provided arguments:
  185. *
  186. * * Reset params if first argument is null
  187. *
  188. * * If first argument is an array, merge it with current params
  189. *
  190. * * If there is a second argument $value, set param $name (first argument) with $value
  191. * <code>
  192. * params('name', 'Doe') // set 'name' => 'Doe'
  193. * </code>
  194. * * If there is more than 2 arguments, set param $name (first argument) value with
  195. * an array of next arguments
  196. * <code>
  197. * params('months', 'jan', 'feb', 'mar') // set 'month' => array('months', 'jan', 'feb', 'mar')
  198. * </code>
  199. *
  200. * @param mixed $name_or_array_or_null could be null || array of params || name of a param (optional)
  201. * @param mixed $value,... for the $name param (optional)
  202. * @return mixed all params, or one if a first argument $name is provided
  203. */
  204. function params($name_or_array_or_null = null, $value = null)
  205. {
  206. static $params = array();
  207. $args = func_get_args();
  208. if(func_num_args() > 0)
  209. {
  210. $name = array_shift($args);
  211. if(is_null($name))
  212. {
  213. # Reset params
  214. $params = array();
  215. return $params;
  216. }
  217. if(is_array($name))
  218. {
  219. $params = array_merge($params, $name);
  220. return $params;
  221. }
  222. $nargs = count($args);
  223. if($nargs > 0)
  224. {
  225. $value = $nargs > 1 ? $args : $args[0];
  226. $params[$name] = $value;
  227. }
  228. return array_key_exists($name,$params) ? $params[$name] : null;
  229. }
  230. return $params;
  231. }
  232. /**
  233. * Set and returns template variables
  234. *
  235. * If multiple values are provided, set $name variable with an array of those values.
  236. * If there is only one value, set $name variable with the provided $values
  237. *
  238. * @param string $name
  239. * @param mixed $values,...
  240. * @return mixed variable value for $name if $name argument is provided, else return all variables
  241. */
  242. function set($name = null, $values = null)
  243. {
  244. static $vars = array();
  245. $args = func_get_args();
  246. $name = array_shift($args);
  247. if(is_null($name)) return $vars;
  248. if(!empty($args))
  249. {
  250. $vars[$name] = count($args) > 1 ? $args : $args[0];
  251. }
  252. if(array_key_exists($name, $vars)) return $vars[$name];
  253. return $vars;
  254. }
  255. /**
  256. * Sets a template variable with a value or a default value if value is empty
  257. *
  258. * @param string $name
  259. * @param string $value
  260. * @param string $default
  261. * @return mixed setted value
  262. */
  263. function set_or_default($name, $value, $default)
  264. {
  265. return set($name, value_or_default($value, $default));
  266. }
  267. /**
  268. * Running application
  269. *
  270. * @param string $env
  271. * @return void
  272. */
  273. function run($env = null)
  274. {
  275. if(is_null($env)) $env = env();
  276. # 0. Set default configuration
  277. $root_dir = dirname(app_file());
  278. $lim_dir = dirname(__FILE__);
  279. $base_path = dirname(file_path($env['SERVER']['SCRIPT_NAME']));
  280. $base_file = basename($env['SERVER']['SCRIPT_NAME']);
  281. $base_uri = file_path($base_path, (($base_file == 'index.php') ? '?' : $base_file.'?'));
  282. option('root_dir', $root_dir);
  283. option('limonade_dir', file_path($lim_dir));
  284. option('limonade_views_dir', file_path($lim_dir, 'limonade', 'views'));
  285. option('limonade_public_dir',file_path($lim_dir, 'limonade', 'public'));
  286. option('public_dir', file_path($root_dir, 'public'));
  287. option('views_dir', file_path($root_dir, 'views'));
  288. option('controllers_dir', file_path($root_dir, 'controllers'));
  289. option('lib_dir', file_path($root_dir, 'lib'));
  290. option('error_views_dir', option('limonade_views_dir'));
  291. option('base_path', $base_path);
  292. option('base_uri', $base_uri); // set it manually if you use url_rewriting
  293. option('env', ENV_PRODUCTION);
  294. option('debug', true);
  295. option('session', LIM_SESSION_NAME); // true, false or the name of your session
  296. option('encoding', 'utf-8');
  297. option('signature', LIM_NAME); // X-Limonade header value or false to hide it
  298. option('gzip', false);
  299. option('x-sendfile', 0); // 0: disabled,
  300. // X-SENDFILE: for Apache and Lighttpd v. >= 1.5,
  301. // X-LIGHTTPD-SEND-FILE: for Apache and Lighttpd v. < 1.5
  302. # 1. Set handlers
  303. # 1.1 Set error handling
  304. ini_set('display_errors', 1);
  305. set_error_handler('error_handler_dispatcher', E_ALL ^ E_NOTICE);
  306. # 1.2 Register shutdown function
  307. register_shutdown_function('stop_and_exit');
  308. # 2. Set user configuration
  309. call_if_exists('configure');
  310. # 2.1 Set gzip compression if defined
  311. if(is_bool(option('gzip')) && option('gzip'))
  312. {
  313. ini_set('zlib.output_compression', '1');
  314. }
  315. # 2.2 Set X-Limonade header
  316. if($signature = option('signature')) send_header("X-Limonade: $signature");
  317. # 3. Loading libs
  318. require_once_dir(option('lib_dir'));
  319. fallbacks_for_not_implemented_functions();
  320. # 4. Starting session
  321. if(!defined('SID') && option('session'))
  322. {
  323. if(!is_bool(option('session'))) session_name(option('session'));
  324. if(!session_start()) trigger_error("An error occured while trying to start the session", E_USER_WARNING);
  325. }
  326. # 5. Set some default methods if needed
  327. if(!function_exists('after'))
  328. {
  329. function after($output)
  330. {
  331. return $output;
  332. }
  333. }
  334. if(!function_exists('route_missing'))
  335. {
  336. function route_missing($request_method, $request_uri)
  337. {
  338. halt(NOT_FOUND, "($request_method) $request_uri");
  339. }
  340. }
  341. call_if_exists('initialize');
  342. # 6. Check request
  343. if($rm = request_method($env))
  344. {
  345. if(request_is_head($env)) ob_start(); // then no output
  346. if(!request_method_is_allowed($rm))
  347. halt(HTTP_NOT_IMPLEMENTED, "The requested method <code>'$rm'</code> is not implemented");
  348. # 6.1 Check matching route
  349. if($route = route_find($rm, request_uri($env)))
  350. {
  351. params($route['params']);
  352. # 6.2 Load controllers dir
  353. if(!function_exists('autoload_controller'))
  354. {
  355. function autoload_controller($callback)
  356. {
  357. require_once_dir(option('controllers_dir'));
  358. }
  359. }
  360. autoload_controller($route['callback']);
  361. if(is_callable($route['callback']))
  362. {
  363. # 6.3 Call before function
  364. call_if_exists('before', $route);
  365. # 6.4 Call matching controller function and output result
  366. $output = call_user_func_array($route['callback'], array_values($route['params']));
  367. if(is_null($output)) $output = call_if_exists('autorender', $route);
  368. echo after(error_notices_render() . $output, $route);
  369. }
  370. else halt(SERVER_ERROR, "Routing error: undefined function '{$route['callback']}'", $route);
  371. }
  372. else route_missing($rm, request_uri($env));
  373. }
  374. else halt(HTTP_NOT_IMPLEMENTED, "The requested method <code>'$rm'</code> is not implemented");
  375. }
  376. /**
  377. * Stop and exit limonade application
  378. *
  379. * @access private
  380. * @param boolean exit or not
  381. * @return void
  382. */
  383. function stop_and_exit($exit = true)
  384. {
  385. call_if_exists('before_exit', $exit);
  386. $headers = headers_list();
  387. if(request_is_head())
  388. {
  389. ob_end_clean();
  390. } else {
  391. $flash_sweep = true;
  392. foreach($headers as $header)
  393. {
  394. // If a Content-Type header exists, flash_sweep only if is text/html
  395. // Else if there's no Content-Type header, flash_sweep by default
  396. if(stripos($header, 'Content-Type:') === 0)
  397. {
  398. $flash_sweep = stripos($header, 'Content-Type: text/html') === 0;
  399. break;
  400. }
  401. }
  402. if($flash_sweep) flash_sweep();
  403. }
  404. if(defined('SID')) session_write_close();
  405. if($exit) exit;
  406. }
  407. /**
  408. * Returns limonade environment variables:
  409. *
  410. * 'SERVER', 'FILES', 'REQUEST', 'SESSION', 'ENV', 'COOKIE',
  411. * 'GET', 'POST', 'PUT', 'DELETE', 'PATCH'
  412. *
  413. * If a null argument is passed, reset and rebuild environment
  414. *
  415. * @param null @reset reset and rebuild environment
  416. * @return array
  417. */
  418. function env($reset = null)
  419. {
  420. static $env = array();
  421. if(func_num_args() > 0)
  422. {
  423. $args = func_get_args();
  424. if(is_null($args[0])) $env = array();
  425. }
  426. if(empty($env))
  427. {
  428. if(empty($GLOBALS['_SERVER']))
  429. {
  430. // Fixing empty $GLOBALS['_SERVER'] bug
  431. // http://sofadesign.lighthouseapp.com/projects/29612-limonade/tickets/29-env-is-empty
  432. $GLOBALS['_SERVER'] =& $_SERVER;
  433. $GLOBALS['_FILES'] =& $_FILES;
  434. $GLOBALS['_REQUEST'] =& $_REQUEST;
  435. $GLOBALS['_SESSION'] =& $_SESSION;
  436. $GLOBALS['_ENV'] =& $_ENV;
  437. $GLOBALS['_COOKIE'] =& $_COOKIE;
  438. }
  439. $glo_names = array('SERVER', 'FILES', 'REQUEST', 'SESSION', 'ENV', 'COOKIE');
  440. $vars = array_merge($glo_names, request_methods());
  441. foreach($vars as $var)
  442. {
  443. $varname = "_$var";
  444. if(!array_key_exists($varname, $GLOBALS)) $GLOBALS[$varname] = array();
  445. $env[$var] =& $GLOBALS[$varname];
  446. }
  447. $method = request_method($env);
  448. $varname = "_$method";
  449. if ((isset($_SERVER['CONTENT_TYPE'])) && (strpos($_SERVER['CONTENT_TYPE'], 'application/json') === 0))
  450. {
  451. // handle PUT/POST requests which have JSON in request body
  452. $GLOBALS[$varname] = json_decode(file_get_contents('php://input'), true);
  453. }
  454. elseif($method == 'PUT' || $method == 'DELETE')
  455. {
  456. if(array_key_exists('_method', $_POST) && $_POST['_method'] == $method)
  457. {
  458. foreach($_POST as $k => $v)
  459. {
  460. if($k == "_method") continue;
  461. $GLOBALS[$varname][$k] = $v;
  462. }
  463. }
  464. else
  465. {
  466. parse_str(file_get_contents('php://input'), $GLOBALS[$varname]);
  467. }
  468. }
  469. }
  470. return $env;
  471. }
  472. /**
  473. * Returns application root file path
  474. *
  475. * @return string
  476. */
  477. function app_file()
  478. {
  479. static $file;
  480. if(empty($file))
  481. {
  482. $debug_backtrace = debug_backtrace();
  483. $stacktrace = array_pop($debug_backtrace);
  484. $file = $stacktrace['file'];
  485. }
  486. return file_path($file);
  487. }
  488. # # #
  489. # ============================================================================ #
  490. # 2. ERROR #
  491. # ============================================================================ #
  492. /**
  493. * Associate a function with error code(s) and return all associations
  494. *
  495. * @param string $errno
  496. * @param string $function
  497. * @return array
  498. */
  499. function error($errno = null, $function = null)
  500. {
  501. static $errors = array();
  502. if(func_num_args() > 0)
  503. {
  504. $errors[] = array('errno'=>$errno, 'function'=> $function);
  505. }
  506. return $errors;
  507. }
  508. /**
  509. * Raise an error, passing a given error number and an optional message,
  510. * then exit.
  511. * Error number should be a HTTP status code or a php user error (E_USER...)
  512. * $errno and $msg arguments can be passsed in any order
  513. * If no arguments are passed, default $errno is SERVER_ERROR (500)
  514. *
  515. * @param int,string $errno Error number or message string
  516. * @param string,string $msg Message string or error number
  517. * @param mixed $debug_args extra data provided for debugging
  518. * @return void
  519. */
  520. function halt($errno = SERVER_ERROR, $msg = '', $debug_args = null)
  521. {
  522. $args = func_get_args();
  523. $error = array_shift($args);
  524. # switch $errno and $msg args
  525. # TODO cleanup / refactoring
  526. if(is_string($errno))
  527. {
  528. $msg = $errno;
  529. $oldmsg = array_shift($args);
  530. $errno = empty($oldmsg) ? SERVER_ERROR : $oldmsg;
  531. }
  532. else if(!empty($args)) $msg = array_shift($args);
  533. if(empty($msg) && $errno == NOT_FOUND) $msg = request_uri();
  534. if(empty($msg)) $msg = "";
  535. if(!empty($args)) $debug_args = $args;
  536. set('_lim_err_debug_args', $debug_args);
  537. error_handler_dispatcher($errno, $msg, null, null);
  538. }
  539. /**
  540. * Internal error handler dispatcher
  541. * Find and call matching error handler and exit
  542. * If no match found, call default error handler
  543. *
  544. * @access private
  545. * @param int $errno
  546. * @param string $errstr
  547. * @param string $errfile
  548. * @param string $errline
  549. * @return void
  550. */
  551. function error_handler_dispatcher($errno, $errstr, $errfile, $errline)
  552. {
  553. $back_trace = debug_backtrace();
  554. while($trace = array_shift($back_trace))
  555. {
  556. if($trace['function'] == 'halt')
  557. {
  558. $errfile = $trace['file'];
  559. $errline = $trace['line'];
  560. break;
  561. }
  562. }
  563. # Notices and warning won't halt execution
  564. if(error_wont_halt_app($errno))
  565. {
  566. error_notice($errno, $errstr, $errfile, $errline);
  567. return;
  568. }
  569. else
  570. {
  571. # Other errors will stop application
  572. static $handlers = array();
  573. if(empty($handlers))
  574. {
  575. error(E_LIM_PHP, 'error_default_handler');
  576. $handlers = error();
  577. }
  578. $is_http_err = http_response_status_is_valid($errno);
  579. while($handler = array_shift($handlers))
  580. {
  581. $e = is_array($handler['errno']) ? $handler['errno'] : array($handler['errno']);
  582. while($ee = array_shift($e))
  583. {
  584. if($ee == $errno || $ee == E_LIM_PHP || ($ee == E_LIM_HTTP && $is_http_err))
  585. {
  586. echo call_if_exists($handler['function'], $errno, $errstr, $errfile, $errline);
  587. exit;
  588. }
  589. }
  590. }
  591. }
  592. }
  593. /**
  594. * Default error handler
  595. *
  596. * @param string $errno
  597. * @param string $errstr
  598. * @param string $errfile
  599. * @param string $errline
  600. * @return string error output
  601. */
  602. function error_default_handler($errno, $errstr, $errfile, $errline)
  603. {
  604. $is_http_err = http_response_status_is_valid($errno);
  605. $http_error_code = $is_http_err ? $errno : SERVER_ERROR;
  606. status($http_error_code);
  607. return $http_error_code == NOT_FOUND ?
  608. error_not_found_output($errno, $errstr, $errfile, $errline) :
  609. error_server_error_output($errno, $errstr, $errfile, $errline);
  610. }
  611. /**
  612. * Returns not found error output
  613. *
  614. * @access private
  615. * @param string $msg
  616. * @return string
  617. */
  618. function error_not_found_output($errno, $errstr, $errfile, $errline)
  619. {
  620. if(!function_exists('not_found'))
  621. {
  622. /**
  623. * Default not found error output
  624. *
  625. * @param string $errno
  626. * @param string $errstr
  627. * @param string $errfile
  628. * @param string $errline
  629. * @return string
  630. */
  631. function not_found($errno, $errstr, $errfile=null, $errline=null)
  632. {
  633. option('views_dir', option('error_views_dir'));
  634. $msg = h(rawurldecode($errstr));
  635. return html("<h1>Page not found:</h1><p><code>{$msg}</code></p>", error_layout());
  636. }
  637. }
  638. return not_found($errno, $errstr, $errfile, $errline);
  639. }
  640. /**
  641. * Returns server error output
  642. *
  643. * @access private
  644. * @param int $errno
  645. * @param string $errstr
  646. * @param string $errfile
  647. * @param string $errline
  648. * @return string
  649. */
  650. function error_server_error_output($errno, $errstr, $errfile, $errline)
  651. {
  652. if(!function_exists('server_error'))
  653. {
  654. /**
  655. * Default server error output
  656. *
  657. * @param string $errno
  658. * @param string $errstr
  659. * @param string $errfile
  660. * @param string $errline
  661. * @return string
  662. */
  663. function server_error($errno, $errstr, $errfile=null, $errline=null)
  664. {
  665. $is_http_error = http_response_status_is_valid($errno);
  666. $args = compact('errno', 'errstr', 'errfile', 'errline', 'is_http_error');
  667. option('views_dir', option('limonade_views_dir'));
  668. $html = render('error.html.php', null, $args);
  669. option('views_dir', option('error_views_dir'));
  670. return html($html, error_layout(), $args);
  671. }
  672. }
  673. return server_error($errno, $errstr, $errfile, $errline);
  674. }
  675. /**
  676. * Set and returns error output layout
  677. *
  678. * @param string $layout
  679. * @return string
  680. */
  681. function error_layout($layout = false)
  682. {
  683. static $o_layout = 'default_layout.php';
  684. if($layout !== false)
  685. {
  686. option('error_views_dir', option('views_dir'));
  687. $o_layout = $layout;
  688. }
  689. return $o_layout;
  690. }
  691. /**
  692. * Set a notice if arguments are provided
  693. * Returns all stored notices.
  694. * If $errno argument is null, reset the notices array
  695. *
  696. * @access private
  697. * @param string, null $str
  698. * @return array
  699. */
  700. function error_notice($errno = false, $errstr = null, $errfile = null, $errline = null)
  701. {
  702. static $notices = array();
  703. if($errno) $notices[] = compact('errno', 'errstr', 'errfile', 'errline');
  704. else if(is_null($errno)) $notices = array();
  705. return $notices;
  706. }
  707. /**
  708. * Returns notices output rendering and reset notices
  709. *
  710. * @return string
  711. */
  712. function error_notices_render()
  713. {
  714. if(option('debug') && option('env') > ENV_PRODUCTION)
  715. {
  716. $notices = error_notice();
  717. error_notice(null); // reset notices
  718. $c_view_dir = option('views_dir'); // keep for restore after render
  719. option('views_dir', option('limonade_views_dir'));
  720. $o = render('_notices.html.php', null, array('notices' => $notices));
  721. option('views_dir', $c_view_dir); // restore current views dir
  722. return $o;
  723. }
  724. }
  725. /**
  726. * Checks if an error is will halt application execution.
  727. * Notices and warnings will not.
  728. *
  729. * @access private
  730. * @param string $num error code number
  731. * @return boolean
  732. */
  733. function error_wont_halt_app($num)
  734. {
  735. return $num == E_NOTICE ||
  736. $num == E_WARNING ||
  737. $num == E_CORE_WARNING ||
  738. $num == E_COMPILE_WARNING ||
  739. $num == E_USER_WARNING ||
  740. $num == E_USER_NOTICE ||
  741. $num == E_DEPRECATED ||
  742. $num == E_USER_DEPRECATED ||
  743. $num == E_LIM_DEPRECATED;
  744. }
  745. /**
  746. * return error code name for a given code num, or return all errors names
  747. *
  748. * @param string $num
  749. * @return mixed
  750. */
  751. function error_type($num = null)
  752. {
  753. $types = array (
  754. E_ERROR => 'ERROR',
  755. E_WARNING => 'WARNING',
  756. E_PARSE => 'PARSING ERROR',
  757. E_NOTICE => 'NOTICE',
  758. E_CORE_ERROR => 'CORE ERROR',
  759. E_CORE_WARNING => 'CORE WARNING',
  760. E_COMPILE_ERROR => 'COMPILE ERROR',
  761. E_COMPILE_WARNING => 'COMPILE WARNING',
  762. E_USER_ERROR => 'USER ERROR',
  763. E_USER_WARNING => 'USER WARNING',
  764. E_USER_NOTICE => 'USER NOTICE',
  765. E_STRICT => 'STRICT NOTICE',
  766. E_RECOVERABLE_ERROR => 'RECOVERABLE ERROR',
  767. E_DEPRECATED => 'DEPRECATED WARNING',
  768. E_USER_DEPRECATED => 'USER DEPRECATED WARNING',
  769. E_LIM_DEPRECATED => 'LIMONADE DEPRECATED WARNING'
  770. );
  771. return is_null($num) ? $types : $types[$num];
  772. }
  773. /**
  774. * Returns http response status for a given error number
  775. *
  776. * @param string $errno
  777. * @return int
  778. */
  779. function error_http_status($errno)
  780. {
  781. $code = http_response_status_is_valid($errno) ? $errno : SERVER_ERROR;
  782. return http_response_status($code);
  783. }
  784. # # #
  785. # ============================================================================ #
  786. # 3. REQUEST #
  787. # ============================================================================ #
  788. /**
  789. * Returns current request method for a given environment or current one
  790. *
  791. * @param string $env
  792. * @return string
  793. */
  794. function request_method($env = null)
  795. {
  796. if(is_null($env)) $env = env();
  797. $m = array_key_exists('REQUEST_METHOD', $env['SERVER']) ? $env['SERVER']['REQUEST_METHOD'] : null;
  798. if($m == "POST" && array_key_exists('_method', $env['POST']))
  799. $m = strtoupper($env['POST']['_method']);
  800. if(!in_array(strtoupper($m), request_methods()))
  801. {
  802. trigger_error("'$m' request method is unknown or unavailable.", E_USER_WARNING);
  803. $m = false;
  804. }
  805. return $m;
  806. }
  807. /**
  808. * Checks if a request method or current one is allowed
  809. *
  810. * @param string $m
  811. * @return bool
  812. */
  813. function request_method_is_allowed($m = null)
  814. {
  815. if(is_null($m)) $m = request_method();
  816. return in_array(strtoupper($m), request_methods());
  817. }
  818. /**
  819. * Checks if request method is GET
  820. *
  821. * @param string $env
  822. * @return bool
  823. */
  824. function request_is_get($env = null)
  825. {
  826. return request_method($env) == "GET";
  827. }
  828. /**
  829. * Checks if request method is POST
  830. *
  831. * @param string $env
  832. * @return bool
  833. */
  834. function request_is_post($env = null)
  835. {
  836. return request_method($env) == "POST";
  837. }
  838. /**
  839. * Checks if request method is PUT
  840. *
  841. * @param string $env
  842. * @return bool
  843. */
  844. function request_is_put($env = null)
  845. {
  846. return request_method($env) == "PUT";
  847. }
  848. /**
  849. * Checks if request method is DELETE
  850. *
  851. * @param string $env
  852. * @return bool
  853. */
  854. function request_is_delete($env = null)
  855. {
  856. return request_method($env) == "DELETE";
  857. }
  858. /**
  859. * Checks if request method is HEAD
  860. *
  861. * @param string $env
  862. * @return bool
  863. */
  864. function request_is_head($env = null)
  865. {
  866. return request_method($env) == "HEAD";
  867. }
  868. /**
  869. * Checks if request method is PATCH
  870. *
  871. * @param string $env
  872. * @return bool
  873. */
  874. function request_is_patch($env = null)
  875. {
  876. return request_method($env) == "PATCH";
  877. }
  878. /**
  879. * Returns allowed request methods
  880. *
  881. * @return array
  882. */
  883. function request_methods()
  884. {
  885. return array("GET","POST","PUT","DELETE","HEAD","PATCH");
  886. }
  887. /**
  888. * Returns current request uri (the path that will be compared with routes)
  889. *
  890. * (Inspired from codeigniter URI::_fetch_uri_string method)
  891. *
  892. * @return string
  893. */
  894. function request_uri($env = null)
  895. {
  896. static $uri = null;
  897. if(is_null($env))
  898. {
  899. if(!is_null($uri)) return $uri;
  900. $env = env();
  901. }
  902. if(array_key_exists('uri', $env['GET']))
  903. {
  904. $uri = $env['GET']['uri'];
  905. }
  906. else if(array_key_exists('u', $env['GET']))
  907. {
  908. $uri = $env['GET']['u'];
  909. }
  910. // bug: dot are converted to _... so we can't use it...
  911. // else if (count($env['GET']) == 1 && trim(key($env['GET']), '/') != '')
  912. // {
  913. // $uri = key($env['GET']);
  914. // }
  915. else
  916. {
  917. $app_file = app_file();
  918. $path_info = isset($env['SERVER']['PATH_INFO']) ? $env['SERVER']['PATH_INFO'] : @getenv('PATH_INFO');
  919. $query_string = isset($env['SERVER']['QUERY_STRING']) ? $env['SERVER']['QUERY_STRING'] : @getenv('QUERY_STRING');
  920. // Is there a PATH_INFO variable?
  921. // Note: some servers seem to have trouble with getenv() so we'll test it two ways
  922. if (trim($path_info, '/') != '' && $path_info != "/".$app_file)
  923. {
  924. if(strpos($path_info, '&') !== 0)
  925. {
  926. # exclude GET params
  927. $params = explode('&', $path_info);
  928. $path_info = array_shift($params);
  929. # populate $_GET
  930. foreach($params as $param)
  931. {
  932. if(strpos($param, '=') > 0)
  933. {
  934. list($k, $v) = explode('=', $param);
  935. $env['GET'][$k] = $v;
  936. }
  937. }
  938. }
  939. $uri = $path_info;
  940. }
  941. // No PATH_INFO?... What about QUERY_STRING?
  942. elseif (trim($query_string, '/') != '' && $query_string[0] == '/')
  943. {
  944. $uri = $query_string;
  945. $get = $env['GET'];
  946. if(count($get) > 0)
  947. {
  948. # exclude GET params
  949. $keys = array_keys($get);
  950. $first = array_shift($keys);
  951. if(strpos($query_string, $first) === 0) $uri = $first;
  952. }
  953. }
  954. elseif(array_key_exists('REQUEST_URI', $env['SERVER']) && !empty($env['SERVER']['REQUEST_URI']))
  955. {
  956. $request_uri = rtrim($env['SERVER']['REQUEST_URI'], '?/').'/';
  957. $base_path = $env['SERVER']['SCRIPT_NAME'];
  958. if($request_uri."index.php" == $base_path) $request_uri .= "index.php";
  959. $uri = str_replace($base_path, '', $request_uri);
  960. if(option('base_uri') && strpos($uri, option('base_uri')) === 0) {
  961. $uri = substr($uri, strlen(option('base_uri')));
  962. }
  963. if(strpos($uri, '?') !== false) {
  964. $uri = substr($uri, 0, strpos($uri, '?')) . '/';
  965. }
  966. }
  967. elseif($env['SERVER']['argc'] > 1 && trim($env['SERVER']['argv'][1], '/') != '')
  968. {
  969. $uri = $env['SERVER']['argv'][1];
  970. }
  971. }
  972. $uri = rtrim($uri, "/"); # removes ending /
  973. if(empty($uri))
  974. {
  975. $uri = '/';
  976. }
  977. else if($uri[0] != '/')
  978. {
  979. $uri = '/' . $uri; # add a leading slash
  980. }
  981. return rawurldecode($uri);
  982. }
  983. # # #
  984. # ============================================================================ #
  985. # 4. ROUTER #
  986. # ============================================================================ #
  987. /**
  988. * An alias of {@link dispatch_get()}
  989. *
  990. * @return void
  991. */
  992. function dispatch($path_or_array, $callback, $options = array())
  993. {
  994. dispatch_get($path_or_array, $callback, $options);
  995. }
  996. /**
  997. * Add a GET route. Also automatically defines a HEAD route.
  998. *
  999. * @param string $path_or_array
  1000. * @param string $callback
  1001. * @param array $options (optional). See {@link route()} for available options.
  1002. * @return void
  1003. */
  1004. function dispatch_get($path_or_array, $callback, $options = array())
  1005. {
  1006. route("GET", $path_or_array, $callback, $options);
  1007. route("HEAD", $path_or_array, $callback, $options);
  1008. }
  1009. /**
  1010. * Add a POST route
  1011. *
  1012. * @param string $path_or_array
  1013. * @param string $callback
  1014. * @param array $options (optional). See {@link route()} for available options.
  1015. * @return void
  1016. */
  1017. function dispatch_post($path_or_array, $callback, $options = array())
  1018. {
  1019. route("POST", $path_or_array, $callback, $options);
  1020. }
  1021. /**
  1022. * Add a PUT route
  1023. *
  1024. * @param string $path_or_array
  1025. * @param string $callback
  1026. * @param array $options (optional). See {@link route()} for available options.
  1027. * @return void
  1028. */
  1029. function dispatch_put($path_or_array, $callback, $options = array())
  1030. {
  1031. route("PUT", $path_or_array, $callback, $options);
  1032. }
  1033. /**
  1034. * Add a DELETE route
  1035. *
  1036. * @param string $path_or_array
  1037. * @param string $callback
  1038. * @param array $options (optional). See {@link route()} for available options.
  1039. * @return void
  1040. */
  1041. function dispatch_delete($path_or_array, $callback, $options = array())
  1042. {
  1043. route("DELETE", $path_or_array, $callback, $options);
  1044. }
  1045. /**
  1046. * Add a PATCH route
  1047. *
  1048. * @param string $path_or_array
  1049. * @param string $callback
  1050. * @param array $options (optional). See {@link route()} for available options.
  1051. * @return void
  1052. */
  1053. function dispatch_patch($path_or_array, $callback, $options = array())
  1054. {
  1055. route("PATCH", $path_or_array, $callback, $options);
  1056. }
  1057. /**
  1058. * Add route if required params are provided.
  1059. * Delete all routes if null is passed as a unique argument
  1060. * Return all routes
  1061. *
  1062. * @see route_build()
  1063. * @access private
  1064. * @param string $method
  1065. * @param string|array $path_or_array
  1066. * @param callback $func
  1067. * @param array $options (optional). Available options:
  1068. * - 'params' key with an array of parameters: for parametrized routes.
  1069. * those parameters will be merged with routes parameters.
  1070. * @return array
  1071. */
  1072. function route()
  1073. {
  1074. static $routes = array();
  1075. $nargs = func_num_args();
  1076. if( $nargs > 0)
  1077. {
  1078. $args = func_get_args();
  1079. if($nargs === 1 && is_null($args[0])) $routes = array();
  1080. else if($nargs < 3) trigger_error("Missing arguments for route()", E_USER_ERROR);
  1081. else
  1082. {
  1083. $method = $args[0];
  1084. $path_or_array = $args[1];
  1085. $func = $args[2];
  1086. $options = $nargs > 3 ? $args[3] : array();
  1087. $routes[] = route_build($method, $path_or_array, $func, $options);
  1088. }
  1089. }
  1090. return $routes;
  1091. }
  1092. /**
  1093. * An alias of route(null): reset all routes
  1094. *
  1095. * @access private
  1096. * @return void
  1097. */
  1098. function route_reset()
  1099. {
  1100. route(null);
  1101. }
  1102. /**
  1103. * Build a route and return it
  1104. *
  1105. * @access private
  1106. * @param string $method allowed http method (one of those returned by {@link request_methods()})
  1107. * @param string|array $path_or_array
  1108. * @param callback $callback callback called when route is found. It can be
  1109. * a function, an object method, a static method or a closure.
  1110. * See {@link http://php.net/manual/en/language.pseudo-types.php#language.types.callback php documentation}
  1111. * to learn more about callbacks.
  1112. * @param array $options (optional). Available options:
  1113. * - 'params' key with an array of parameters: for parametrized routes.
  1114. * those parameters will be merged with routes parameters.
  1115. * @return array array with keys "method", "pattern", "names", "callback", "options"
  1116. */
  1117. function route_build($method, $path_or_array, $callback, $options = array())
  1118. {
  1119. $method = strtoupper($method);
  1120. if(!in_array($method, request_methods()))
  1121. trigger_error("'$method' request method is unkown or unavailable.", E_USER_WARNING);
  1122. if(is_array($path_or_array))
  1123. {
  1124. $path = array_shift($path_or_array);
  1125. $names = $path_or_array[0];
  1126. }
  1127. else
  1128. {
  1129. $path = $path_or_array;
  1130. $names = array();
  1131. }
  1132. $single_asterisk_subpattern = "(?:/([^\/]*))?";
  1133. $double_asterisk_subpattern = "(?:/(.*))?";
  1134. $optionnal_slash_subpattern = "(?:/*?)";
  1135. $no_slash_asterisk_subpattern = "(?:([^\/]*))?";
  1136. if($path[0] == "^")
  1137. {
  1138. if($path{strlen($path) - 1} != "$") $path .= "$";
  1139. $pattern = "#".$path."#i";
  1140. }
  1141. else if(empty($path) || $path == "/")
  1142. {
  1143. $pattern = "#^".$optionnal_slash_subpattern."$#";
  1144. }
  1145. else
  1146. {
  1147. $parsed = array();
  1148. $elts = explode('/', $path);
  1149. $parameters_count = 0;
  1150. foreach($elts as $elt)
  1151. {
  1152. if(empty($elt)) continue;
  1153. $name = null;
  1154. # extracting double asterisk **
  1155. if($elt == "**"):
  1156. $parsed[] = $double_asterisk_subpattern;
  1157. $name = $parameters_count;
  1158. # extracting single asterisk *
  1159. elseif($elt == "*"):
  1160. $parsed[] = $single_asterisk_subpattern;
  1161. $name = $parameters_count;
  1162. # extracting named parameters :my_param
  1163. elseif($elt[0] == ":"):
  1164. if(preg_match('/^:([^\:]+)$/', $elt, $matches))
  1165. {
  1166. $parsed[] = $single_asterisk_subpattern;
  1167. $name = $matches[1];
  1168. };
  1169. elseif(strpos($elt, '*') !== false):
  1170. $sub_elts = explode('*', $elt);
  1171. $parsed_sub = array();
  1172. foreach($sub_elts as $sub_elt)
  1173. {
  1174. $parsed_sub[] = preg_quote($sub_elt, "#");
  1175. $name = $parameters_count;
  1176. }
  1177. //
  1178. $parsed[] = "/".implode($no_slash_asterisk_subpattern, $parsed_sub);
  1179. else:
  1180. $parsed[] = "/".preg_quote($elt, "#");
  1181. endif;
  1182. /* set parameters names */
  1183. if(is_null($name)) continue;
  1184. if(!array_key_exists($parameters_count, $names) || is_null($names[$parameters_count]))
  1185. $names[$parameters_count] = $name;
  1186. $parameters_count++;
  1187. }
  1188. $pattern = "#^".implode('', $parsed).$optionnal_slash_subpattern."?$#i";
  1189. }
  1190. return array( "method" => $method,
  1191. "pattern" => $pattern,
  1192. "names" => $names,
  1193. "callback" => $callback,
  1194. "options" => $options );
  1195. }
  1196. /**
  1197. * Find a route and returns it.
  1198. * Parameters values extracted from the path are added and merged
  1199. * with the default 'params' option of the route
  1200. * If not found, returns false.
  1201. * Routes are checked from first added to last added.
  1202. *
  1203. * @access private
  1204. * @param string $method
  1205. * @param string $path
  1206. * @return array,false route array has same keys as route returned by
  1207. * {@link route_build()} ("method", "pattern", "names", "callback", "options")
  1208. * + the processed "params" key
  1209. */
  1210. function route_find($method, $path)
  1211. {
  1212. $routes = route();
  1213. $method = strtoupper($method);
  1214. foreach($routes as $route)
  1215. {
  1216. if($method == $route["method"] && preg_match($route["pattern"], $path, $matches))
  1217. {
  1218. $options = $route["options"];
  1219. $params = array_key_exists('params', $options) ? $options["params"] : array();
  1220. if(count($matches) > 1)
  1221. {
  1222. array_shift($matches);
  1223. $n_matches = count($matches);
  1224. $names = array_values($route["names"]);
  1225. $n_names = count($names);
  1226. if( $n_matches < $n_names )
  1227. {
  1228. $a = array_fill(0, $n_names - $n_matches, null);
  1229. $matches = array_merge($matches, $a);
  1230. }
  1231. else if( $n_matches > $n_names )
  1232. {
  1233. $names = range($n_names, $n_matches - 1);
  1234. }
  1235. $arr_comb = array_combine($names, $matches);
  1236. $params = array_replace($params, $arr_comb);
  1237. }
  1238. $route["params"] = $params;
  1239. return $route;
  1240. }
  1241. }
  1242. return false;
  1243. }
  1244. # ============================================================================ #
  1245. # 5. OUTPUT AND RENDERING #
  1246. # ============================================================================ #
  1247. /**
  1248. * Returns a string to output
  1249. *
  1250. * It might use a template file, a function, or a formatted string (like {@link sprintf()}).
  1251. * It could be embraced by a layout or not.
  1252. * Local vars can be passed in addition to variables made available with the {@link set()}
  1253. * function.
  1254. *
  1255. * @param string $content_or_func
  1256. * @param string $layout
  1257. * @param string $locals
  1258. * @return string
  1259. */
  1260. function render($content_or_func, $layout = '', $locals = array())
  1261. {
  1262. $args = func_get_args();
  1263. $content_or_func = array_shift($args);
  1264. $layout = count($args) > 0 ? array_shift($args) : layout();
  1265. $view_path = file_path(option('views_dir'),$content_or_func);
  1266. if(function_exists('before_render'))
  1267. list($content_or_func, $layout, $locals, $view_path) = before_render($content_or_func, $layout, $locals, $view_path);
  1268. $vars = array_merge(set(), $locals);
  1269. $flash = flash_now();
  1270. if(array_key_exists('flash', $vars)) trigger_error('A $flash variable is already passed to view. Flash messages will only be accessible through flash_now()', E_USER_NOTICE);
  1271. else if(!empty($flash)) $vars['flash'] = $flash;
  1272. $infinite_loop = false;
  1273. # Avoid infinite loop: this function is in the backtrace ?
  1274. if(function_exists($content_or_func))
  1275. {
  1276. $back_trace = debug_backtrace();
  1277. while($trace = array_shift($back_trace))
  1278. {
  1279. if($trace['function'] == strtolower($content_or_func))
  1280. {
  1281. $infinite_loop = true;
  1282. break;
  1283. }
  1284. }
  1285. }
  1286. if(function_exists($content_or_func) && !$infinite_loop)
  1287. {
  1288. ob_start();
  1289. call_user_func($content_or_func, $vars);
  1290. $content = ob_get_clean();
  1291. }
  1292. elseif(file_exists($view_path))
  1293. {
  1294. ob_start();
  1295. extract($vars);
  1296. include $view_path;
  1297. $content = ob_get_clean();
  1298. }
  1299. else
  1300. {
  1301. if(substr_count($content_or_func, '%') !== count($vars)) $content = $content_or_func;
  1302. else $content = vsprintf($content_or_func, $vars);
  1303. }
  1304. if(empty($layout)) return $content;
  1305. return render($layout, null, array('content' => $content));
  1306. }
  1307. /**
  1308. * Returns a string to output
  1309. *
  1310. * Shortcut to render with no layout.
  1311. *
  1312. * @param string $content_or_func
  1313. * @param string $locals
  1314. * @return string
  1315. */
  1316. function partial($content_or_func, $locals = array())
  1317. {
  1318. return render($content_or_func, null, $locals);
  1319. }
  1320. /**
  1321. * Returns html output with proper http headers
  1322. *
  1323. * @param string $content_or_func
  1324. * @param string $layout
  1325. * @param string $locals
  1326. * @return string
  1327. */
  1328. function html($content_or_func, $layout = '', $locals = array())
  1329. {
  1330. send_header('Content-Type: text/html; charset='.strtolower(option('encoding')));
  1331. $args = func_get_args();
  1332. return call_user_func_array('render', $args);
  1333. }
  1334. /**
  1335. * Set and return current layout
  1336. *
  1337. * @param string $function_or_file
  1338. * @return string
  1339. */
  1340. function layout($function_or_file = null)
  1341. {
  1342. static $layout = null;
  1343. if(func_num_args() > 0) $layout = $function_or_file;
  1344. return $layout;
  1345. }
  1346. /**
  1347. * Returns xml output with proper http headers
  1348. *
  1349. * @param string $content_or_func
  1350. * @param string $layout
  1351. * @param string $locals
  1352. * @return string
  1353. */
  1354. function xml($data)
  1355. {
  1356. send_header('Content-Type: text/xml; charset='.strtolower(option('encoding')));
  1357. $args = func_get_args();
  1358. return call_user_func_array('render', $args);
  1359. }
  1360. /**
  1361. * Returns css output with proper http headers
  1362. *
  1363. * @param string $content_or_func
  1364. * @param string $layout
  1365. * @param string $locals
  1366. * @return string
  1367. */
  1368. function css($content_or_func, $layout = '', $locals = array())
  1369. {
  1370. send_header('Content-Type: text/css; charset='.strtolower(option('encoding')));
  1371. $args = func_get_args();
  1372. return call_user_func_array('render', $args);
  1373. }
  1374. /**
  1375. * Returns javacript output with proper http headers
  1376. *
  1377. * @param string $content_or_func
  1378. * @param string $layout
  1379. * @param string $locals
  1380. * @return string
  1381. */
  1382. function js($content_or_func, $layout = '', $locals = array())
  1383. {
  1384. send_header('Content-Type: application/javascript; charset='.strtolower(option('encoding')));
  1385. $args = func_get_args();
  1386. return call_user_func_array('render', $args);
  1387. }
  1388. /**
  1389. * Returns txt output with proper http headers
  1390. *
  1391. * @param string $content_or_func
  1392. * @param string $layout
  1393. * @param string $locals
  1394. * @return string
  1395. */
  1396. function txt($content_or_func, $layout = '', $locals = array())
  1397. {
  1398. send_header('Content-Type: text/plain; charset='.strtolower(option('encoding')));
  1399. $args = func_get_args();
  1400. return call_user_func_array('render', $args);
  1401. }
  1402. /**
  1403. * Returns json representation of data with proper http headers.
  1404. * On PHP 5 < PHP 5.2.0, you must provide your own implementation of the
  1405. * <code>json_encode()</code> function beore using <code>json()</code>.
  1406. *
  1407. * @param string $data
  1408. * @param int $json_option
  1409. * @return string
  1410. */
  1411. function json($data, $json_option = 0)
  1412. {
  1413. send_header('Content-Type: application/json; charset='.strtolower(option('encoding')));
  1414. return version_compare(PHP_VERSION, '5.3.0', '>=') ? json_encode($data, $json_option) : json_encode($data);
  1415. }
  1416. /**
  1417. * undocumented function
  1418. *
  1419. * @param string $filename
  1420. * @param string $return
  1421. * @return mixed number of bytes delivered or file output if $return = true
  1422. */
  1423. function render_file($filename, $return = false)
  1424. {
  1425. # TODO implements X-SENDFILE headers
  1426. // if($x-sendfile = option('x-sendfile'))
  1427. // {
  1428. // // add a X-Sendfile header for apache and Lighttpd >= 1.5
  1429. // if($x-sendfile > X-SENDFILE) // add a X-LIGHTTPD-send-file header
  1430. //
  1431. // }
  1432. // else
  1433. // {
  1434. //
  1435. // }
  1436. $filename = str_replace('../', '', $filename);
  1437. if(file_exists($filename))
  1438. {
  1439. $content_type = mime_type(file_extension($filename));
  1440. $header = 'Content-type: '.$content_type;
  1441. if(file_is_text($filename)) $header .= '; charset='.strtolower(option('encoding'));
  1442. send_header($header);
  1443. return file_read($filename, $return);
  1444. }
  1445. else halt(NOT_FOUND, "unknown filename $filename");
  1446. }
  1447. /**
  1448. * Call before_sending_header() if it exists, then send headers
  1449. *
  1450. * @param string $header
  1451. * @return void
  1452. */
  1453. function send_header($header = null, $replace = true, $code = false)
  1454. {
  1455. if(!headers_sent())
  1456. {
  1457. call_if_exists('before_sending_header', $header);
  1458. header($header, $replace, $code);
  1459. }
  1460. }
  1461. # # #
  1462. # ============================================================================ #
  1463. # 6. HELPERS #
  1464. # ============================================================================ #
  1465. /**
  1466. * Returns an url composed of params joined with /
  1467. * A param can be a string or an array.
  1468. * If param is an array, its members will be added at the end of the return url
  1469. * as GET parameters "&key=value".
  1470. *
  1471. * @param string or array $param1, $param2 ...
  1472. * @return string
  1473. */
  1474. function url_for($params = null)
  1475. {
  1476. $paths = array();
  1477. $params = func_get_args();
  1478. $GET_params = array();
  1479. foreach($params as $param)
  1480. {
  1481. if(is_array($param))
  1482. {
  1483. $GET_params = array_merge($GET_params, $param);
  1484. continue;
  1485. }
  1486. if(filter_var_url($param))
  1487. {
  1488. $paths[] = $param;
  1489. continue;
  1490. }
  1491. $p = explode('/',$param);
  1492. foreach($p as $v)
  1493. {
  1494. if($v != "") $paths[] = str_replace('%23', '#', rawurlencode($v));
  1495. }
  1496. }
  1497. $path = rtrim(implode('/', $paths), '/');
  1498. if(!filter_var_url($path))
  1499. {
  1500. # it's a relative URL or an URL without a schema
  1501. $base_uri = option('base_uri');
  1502. $path = file_path($base_uri, $path);
  1503. }
  1504. if(!empty($GET_params))
  1505. {
  1506. $is_first_qs_param = true;
  1507. $path_as_no_question_mark = strpos($path, '?') === false;
  1508. foreach($GET_params as $k => $v)
  1509. {
  1510. $qs_separator = $is_first_qs_param && $path_as_no_question_mark ?
  1511. '?' : '&amp;';
  1512. $path .= $qs_separator . rawurlencode($k) . '=' . rawurlencode($v);
  1513. $is_first_qs_param = false;
  1514. }
  1515. }
  1516. if(DIRECTORY_SEPARATOR != '/') $path = str_replace(DIRECTORY_SEPARATOR, '/', $path);
  1517. return $path;
  1518. }
  1519. /**
  1520. * An alias of {@link htmlspecialchars()}.
  1521. * If no $charset is provided, uses option('encoding') value
  1522. *
  1523. * @param string $str
  1524. * @param string $quote_style
  1525. * @param string $charset
  1526. * @return void
  1527. */
  1528. function h($str, $quote_style = ENT_NOQUOTES, $charset = null)
  1529. {
  1530. if(is_null($charset)) $charset = strtoupper(option('encoding'));
  1531. return htmlspecialchars($str, $quote_style, $charset);
  1532. }
  1533. /**
  1534. * Set and returns flash messages that will be available in the next action
  1535. * via the {@link flash_now()} function or the view variable <code>$flash</code>.
  1536. *
  1537. * If multiple values are provided, set <code>$name</code> variable with an array of those values.
  1538. * If there is only one value, set <code>$name</code> variable with the provided $values
  1539. * or if it's <code>$name</code> is an array, merge it with current messages.
  1540. *
  1541. * @param string, array $name
  1542. * @param mixed $values,...
  1543. * @return mixed variable value for $name if $name argument is provided, else return all variables
  1544. */
  1545. function flash($name = null, $value = null)
  1546. {
  1547. if(!defined('SID')) trigger_error("Flash messages can't be used because session isn't enabled", E_USER_WARNING);
  1548. static $messages = array();
  1549. $args = func_get_args();
  1550. $name = array_shift($args);
  1551. if(is_null($name)) return $messages;
  1552. if(is_array($name)) return $messages = array_merge($messages, $name);
  1553. if(!empty($args))
  1554. {
  1555. $messages[$name] = count($args) > 1 ? $args : $args[0];
  1556. }
  1557. if(!array_key_exists($name, $messages)) return null;
  1558. else return $messages[$name];
  1559. return $messages;
  1560. }
  1561. /**
  1562. * Set and returns flash messages available for the current action, included those
  1563. * defined in the previous action with {@link flash()}
  1564. * Those messages will also be passed to the views and made available in the
  1565. * <code>$flash</code> variable.
  1566. *
  1567. * If multiple values are provided, set <code>$name</code> variable with an array of those values.
  1568. * If there is only one value, set <code>$name</code> variable with the provided $values
  1569. * or if it's <code>$name</c…

Large files files are truncated, but you can click here to view the full file