router.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869
  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. // --------------------------------------------------------------
  19. // Force the URI to have a forward slash.
  20. // --------------------------------------------------------------
  21. $uri = ($uri != '/') ? '/'.$uri : $uri;
  22. // --------------------------------------------------------------
  23. // Load the application routes.
  24. // --------------------------------------------------------------
  25. if (is_null(static::$routes))
  26. {
  27. static::$routes = Route\Loader::load($uri);
  28. }
  29. // --------------------------------------------------------------
  30. // Is there an exact match for the request?
  31. // --------------------------------------------------------------
  32. if (isset(static::$routes[$method.' '.$uri]))
  33. {
  34. return new Route(static::$routes[$method.' '.$uri]);
  35. }
  36. // --------------------------------------------------------------
  37. // No exact match... check each route individually.
  38. // --------------------------------------------------------------
  39. foreach (static::$routes as $keys => $callback)
  40. {
  41. // --------------------------------------------------------------
  42. // Only check routes that have multiple URIs or wildcards.
  43. // All other routes would have been caught by a literal match.
  44. // --------------------------------------------------------------
  45. if (strpos($keys, '(') !== false or strpos($keys, ',') !== false )
  46. {
  47. foreach (explode(', ', $keys) as $route)
  48. {
  49. // --------------------------------------------------------------
  50. // Convert the route wild-cards to regular expressions.
  51. // --------------------------------------------------------------
  52. $route = str_replace(':num', '[0-9]+', str_replace(':any', '[a-zA-Z0-9\-_]+', $route));
  53. if (preg_match('#^'.$route.'$#', $method.' '.$uri))
  54. {
  55. return new Route($callback, Route\Parser::parameters($uri, $route));
  56. }
  57. }
  58. }
  59. }
  60. }
  61. }