loader.php 2.3 KB

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