loader.php 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283
  1. <?php namespace System\Routing;
  2. class Loader {
  3. /**
  4. * All of the routes for the application.
  5. *
  6. * @var array
  7. */
  8. private static $routes;
  9. /**
  10. * Load the appropriate routes for the request URI.
  11. *
  12. * @param string
  13. * @return array
  14. */
  15. public function load($uri)
  16. {
  17. $base = require APP_PATH.'routes'.EXT;
  18. return (is_dir(APP_PATH.'routes') and $uri != '') ? array_merge($this->load_nested_routes($uri), $base) : $base;
  19. }
  20. /**
  21. * Load the appropriate routes from the routes directory.
  22. *
  23. * @param string $uri
  24. * @return array
  25. */
  26. private function load_nested_routes($uri)
  27. {
  28. $segments = explode('/', $uri);
  29. // Work backwards through the URI segments until we find the deepest possible
  30. // matching route file in the routes directory.
  31. foreach (array_reverse($segments, true) as $key => $value)
  32. {
  33. if (file_exists($path = ROUTE_PATH.implode('/', array_slice($segments, 0, $key + 1)).EXT))
  34. {
  35. return require $path;
  36. }
  37. }
  38. return array();
  39. }
  40. /**
  41. * Get all of the routes for the application.
  42. *
  43. * To improve performance, this operation will only be performed once. The routes
  44. * will be cached and returned on every subsequent call.
  45. *
  46. * @param bool $reload
  47. * @return array
  48. */
  49. public static function everything($reload = false)
  50. {
  51. if ( ! is_null(static::$routes) and ! $reload) return static::$routes;
  52. $routes = require APP_PATH.'routes'.EXT;
  53. if (is_dir(APP_PATH.'routes'))
  54. {
  55. // Since route files can be nested deep within the route directory, we need to
  56. // recursively spin through the directory to find every file.
  57. $directoryIterator = new \RecursiveDirectoryIterator(APP_PATH.'routes');
  58. $recursiveIterator = new \RecursiveIteratorIterator($directoryIterator, \RecursiveIteratorIterator::SELF_FIRST);
  59. foreach ($recursiveIterator as $file)
  60. {
  61. if (filetype($file) === 'file' and strpos($file, EXT) !== false)
  62. {
  63. $routes = array_merge(require $file, $routes);
  64. }
  65. }
  66. }
  67. return static::$routes = $routes;
  68. }
  69. }