route.php 2.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980
  1. <?php namespace System;
  2. class Route {
  3. /**
  4. * The route callback or array.
  5. *
  6. * @var mixed
  7. */
  8. public $route;
  9. /**
  10. * The parameters that will passed to the route function.
  11. *
  12. * @var array
  13. */
  14. public $parameters;
  15. /**
  16. * Create a new Route instance.
  17. *
  18. * @param mixed $route
  19. * @param array $parameters
  20. * @return void
  21. */
  22. public function __construct($route, $parameters = array())
  23. {
  24. $this->route = $route;
  25. $this->parameters = $parameters;
  26. }
  27. /**
  28. * Execute the route function.
  29. *
  30. * @param mixed $route
  31. * @param array $parameters
  32. * @return mixed
  33. */
  34. public function call()
  35. {
  36. $response = null;
  37. // ------------------------------------------------------------
  38. // If the route value is just a function, all we have to do
  39. // is execute the function! There are no filters to call.
  40. // ------------------------------------------------------------
  41. if (is_callable($this->route))
  42. {
  43. $response = call_user_func_array($this->route, $this->parameters);
  44. }
  45. // ------------------------------------------------------------
  46. // If the route value is an array, we'll need to check it for
  47. // any filters that may be attached.
  48. // ------------------------------------------------------------
  49. elseif (is_array($this->route))
  50. {
  51. $response = isset($this->route['before']) ? Filter::call($this->route['before'], array(), true) : null;
  52. // ------------------------------------------------------------
  53. // We verify that the before filters did not return a response
  54. // Before filters can override the request cycle to make things
  55. // like authentication convenient to implement.
  56. // ------------------------------------------------------------
  57. if (is_null($response) and isset($this->route['do']))
  58. {
  59. $response = call_user_func_array($this->route['do'], $this->parameters);
  60. }
  61. }
  62. $response = Response::prepare($response);
  63. if (is_array($this->route) and isset($this->route['after']))
  64. {
  65. Filter::call($this->route['after'], array($response));
  66. }
  67. return $response;
  68. }
  69. }