loader.php 1.9 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. * This is done by working down the URI until we find the deepest
  24. * possible matching route file.
  25. *
  26. * @param string $uri
  27. * @return array
  28. */
  29. private function load_nested_routes($uri)
  30. {
  31. $segments = explode('/', $uri);
  32. foreach (array_reverse($segments, true) as $key => $value)
  33. {
  34. if (file_exists($path = ROUTE_PATH.implode('/', array_slice($segments, 0, $key + 1)).EXT))
  35. {
  36. return require $path;
  37. }
  38. }
  39. return array();
  40. }
  41. /**
  42. * Get all of the routes for the application.
  43. *
  44. * To improve performance, this operation will only be performed once. The routes
  45. * will be cached and returned on every subsequent call.
  46. *
  47. * @return array
  48. */
  49. public static function everything()
  50. {
  51. if ( ! is_null(static::$routes)) 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. }