route.php 2.2 KB

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