route.php 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879
  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. if (is_callable($this->callback))
  46. {
  47. $response = call_user_func_array($this->callback, $this->parameters);
  48. }
  49. // If the route value is an array, we'll need to check it for any filters that may be attached.
  50. elseif (is_array($this->callback))
  51. {
  52. $response = isset($this->callback['before']) ? Route\Filter::call($this->callback['before'], array(), true) : null;
  53. // Verify that the before filters did not return a response. Before filters can override
  54. // the request cycle to make things like authentication more convenient.
  55. if (is_null($response) and isset($this->callback['do']))
  56. {
  57. $response = call_user_func_array($this->callback['do'], $this->parameters);
  58. }
  59. }
  60. $response = Response::prepare($response);
  61. if (is_array($this->callback) and isset($this->callback['after']))
  62. {
  63. Route\Filter::call($this->callback['after'], array($response));
  64. }
  65. return $response;
  66. }
  67. }