finder.php 2.1 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889
  1. <?php namespace System\Routing;
  2. class Finder {
  3. /**
  4. * All of the loaded routes.
  5. *
  6. * @var array
  7. */
  8. public static $routes;
  9. /**
  10. * The named routes that have been found so far.
  11. *
  12. * @var array
  13. */
  14. public static $names = array();
  15. /**
  16. * Find a route by name.
  17. *
  18. * @param string $name
  19. * @return array
  20. */
  21. public static function find($name)
  22. {
  23. // This class maintains its own list of routes because the router only loads routes that
  24. // are applicable to the current request URI. But, this class obviously needs access
  25. // to all of the routes, not just the ones applicable to the request URI.
  26. if (is_null(static::$routes))
  27. {
  28. static::$routes = require APP_PATH.'routes'.EXT;
  29. if (is_dir(APP_PATH.'routes'))
  30. {
  31. static::$routes = array_merge(static::load(), static::$routes);
  32. }
  33. }
  34. if (array_key_exists($name, static::$names))
  35. {
  36. return static::$names[$name];
  37. }
  38. $arrayIterator = new \RecursiveArrayIterator(static::$routes);
  39. $recursiveIterator = new \RecursiveIteratorIterator($arrayIterator);
  40. foreach ($recursiveIterator as $iterator)
  41. {
  42. $route = $recursiveIterator->getSubIterator();
  43. if (isset($route['name']) and $route['name'] == $name)
  44. {
  45. return static::$names[$name] = array($arrayIterator->key() => iterator_to_array($route));
  46. }
  47. }
  48. }
  49. /**
  50. * Load all of the routes from the routes directory.
  51. *
  52. * All of the various route files will be merged together
  53. * into a single array that can be searched.
  54. *
  55. * @return array
  56. */
  57. private static function load()
  58. {
  59. $routes = array();
  60. // Since route files can be nested deep within the route directory, we need to
  61. // recursively spin through the directory to find every file.
  62. $directoryIterator = new \RecursiveDirectoryIterator(APP_PATH.'routes');
  63. $recursiveIterator = new \RecursiveIteratorIterator($directoryIterator, \RecursiveIteratorIterator::SELF_FIRST);
  64. foreach ($recursiveIterator as $file)
  65. {
  66. if (filetype($file) === 'file' and strpos($file, EXT) !== false)
  67. {
  68. $routes = array_merge(require $file, $routes);
  69. }
  70. }
  71. return $routes;
  72. }
  73. }