loader.php 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109
  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. $base = require $this->path.'routes'.EXT;
  34. if ( ! is_dir($this->path.'routes') or $uri == '')
  35. {
  36. return $base;
  37. }
  38. return array_merge($this->load_nested_routes($uri), $base);
  39. }
  40. /**
  41. * Load the appropriate routes from the routes directory.
  42. *
  43. * @param string $uri
  44. * @return array
  45. */
  46. private function load_nested_routes($uri)
  47. {
  48. $segments = explode('/', $uri);
  49. // Work backwards through the URI segments until we find the deepest possible
  50. // matching route file in the routes directory.
  51. foreach (array_reverse($segments, true) as $key => $value)
  52. {
  53. if (file_exists($path = $this->path.'routes/'.implode('/', array_slice($segments, 0, $key + 1)).EXT))
  54. {
  55. return require $path;
  56. }
  57. }
  58. return array();
  59. }
  60. /**
  61. * Get all of the routes for the application.
  62. *
  63. * To improve performance, this operation will only be performed once. The routes
  64. * will be cached and returned on every subsequent call.
  65. *
  66. * @param bool $reload
  67. * @param string $path
  68. * @return array
  69. */
  70. public static function all($reload = false, $path = null)
  71. {
  72. if ( ! is_null(static::$routes) and ! $reload) return static::$routes;
  73. if (is_null($path)) $path = APP_PATH;
  74. $routes = require $path.'routes'.EXT;
  75. if (is_dir($path.'routes'))
  76. {
  77. // Since route files can be nested deep within the route directory, we need to
  78. // recursively spin through the directory to find every file.
  79. $directoryIterator = new \RecursiveDirectoryIterator($path.'routes');
  80. $recursiveIterator = new \RecursiveIteratorIterator($directoryIterator, \RecursiveIteratorIterator::SELF_FIRST);
  81. foreach ($recursiveIterator as $file)
  82. {
  83. if (filetype($file) === 'file' and strpos($file, EXT) !== false)
  84. {
  85. $routes = array_merge(require $file, $routes);
  86. }
  87. }
  88. }
  89. return static::$routes = $routes;
  90. }
  91. }