router.php 2.3 KB

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