router.php 2.3 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697
  1. <?php namespace System;
  2. class Router {
  3. /**
  4. * All of the loaded routes.
  5. *
  6. * @var array
  7. */
  8. public static $routes;
  9. /**
  10. * Search a set of routes for the route matching a method and URI.
  11. *
  12. * @param string $method
  13. * @param string $uri
  14. * @return Route
  15. */
  16. public static function route($method, $uri)
  17. {
  18. if (is_null(static::$routes))
  19. {
  20. static::$routes = (is_dir(APP_PATH.'routes')) ? static::load($uri) : require APP_PATH.'routes'.EXT;
  21. }
  22. // Put the request method and URI in route form. Routes begin with the request method and a forward slash.
  23. $uri = $method.' /'.trim($uri, '/');
  24. // Is there an exact match for the request?
  25. if (isset(static::$routes[$uri]))
  26. {
  27. return Request::$route = new Route($uri, static::$routes[$uri]);
  28. }
  29. foreach (static::$routes as $keys => $callback)
  30. {
  31. // Only check routes that have multiple URIs or wildcards. Other routes would be caught by a literal match.
  32. if (strpos($keys, '(') !== false or strpos($keys, ',') !== false )
  33. {
  34. foreach (explode(', ', $keys) as $key)
  35. {
  36. $key = str_replace(':num', '[0-9]+', str_replace(':any', '[a-zA-Z0-9\-_]+', $key));
  37. if (preg_match('#^'.$key.'$#', $uri))
  38. {
  39. return Request::$route = new Route($keys, $callback, static::parameters($uri, $key));
  40. }
  41. }
  42. }
  43. }
  44. }
  45. /**
  46. * Load the appropriate route file for the request URI.
  47. *
  48. * @param string $uri
  49. * @return array
  50. */
  51. public static function load($uri)
  52. {
  53. if ( ! file_exists(APP_PATH.'routes/home'.EXT))
  54. {
  55. throw new \Exception("A [home] route file is required when using a route directory.");
  56. }
  57. if ($uri == '/')
  58. {
  59. return require APP_PATH.'routes/home'.EXT;
  60. }
  61. else
  62. {
  63. $segments = explode('/', $uri);
  64. if ( ! file_exists(APP_PATH.'routes/'.$segments[0].EXT))
  65. {
  66. return require APP_PATH.'routes/home'.EXT;
  67. }
  68. return array_merge(require APP_PATH.'routes/'.$segments[0].EXT, require APP_PATH.'routes/home'.EXT);
  69. }
  70. }
  71. /**
  72. * Extract the parameters from a URI based on a route URI.
  73. *
  74. * Any route segment wrapped in parentheses is considered a parameter.
  75. *
  76. * @param string $uri
  77. * @param string $route
  78. * @return array
  79. */
  80. private static function parameters($uri, $route)
  81. {
  82. return array_values(array_intersect_key(explode('/', $uri), preg_grep('/\(.+\)/', explode('/', $route))));
  83. }
  84. }