loader.php 2.2 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697
  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. * The path where the routes are located.
  11. *
  12. * @var string
  13. */
  14. public $path;
  15. /**
  16. * Create a new route loader instance.
  17. *
  18. * @param string $path
  19. * @return void
  20. */
  21. public function __construct($path)
  22. {
  23. $this->path = $path;
  24. }
  25. /**
  26. * Load the appropriate routes for the request URI.
  27. *
  28. * @param string
  29. * @return array
  30. */
  31. public function load($uri)
  32. {
  33. return array_merge($this->load_nested_routes($uri), require $this->path.'routes'.EXT);
  34. }
  35. /**
  36. * Load the appropriate routes from the routes directory.
  37. *
  38. * @param string $uri
  39. * @return array
  40. */
  41. private function load_nested_routes($uri)
  42. {
  43. $segments = explode('/', $uri);
  44. // Work backwards through the URI segments until we find the deepest possible
  45. // matching route directory. Once we find it, we will return those routes.
  46. foreach (array_reverse($segments, true) as $key => $value)
  47. {
  48. if (is_dir($path = $this->path.implode('/', array_slice($segments, 0, $key + 1))))
  49. {
  50. return require $path.'/routes'.EXT;
  51. }
  52. }
  53. return array();
  54. }
  55. /**
  56. * Get all of the routes for the application.
  57. *
  58. * To improve performance, this operation will only be performed once. The routes
  59. * will be cached and returned on every subsequent call.
  60. *
  61. * @param bool $reload
  62. * @param string $path
  63. * @return array
  64. */
  65. public static function all($reload = false, $path = ROUTE_PATH)
  66. {
  67. if ( ! is_null(static::$routes) and ! $reload) return static::$routes;
  68. $routes = require $path.'routes'.EXT;
  69. // Since route files can be nested deep within the route directory, we need to
  70. // recursively spin through the directory to find every file.
  71. $directoryIterator = new \RecursiveDirectoryIterator($path);
  72. $recursiveIterator = new \RecursiveIteratorIterator($directoryIterator, \RecursiveIteratorIterator::SELF_FIRST);
  73. foreach ($recursiveIterator as $file)
  74. {
  75. if (filetype($file) === 'file' and strpos($file, EXT) !== false and strpos($file, 'filters'.EXT) === false)
  76. {
  77. $routes = array_merge(require $file, $routes);
  78. }
  79. }
  80. return static::$routes = $routes;
  81. }
  82. }