route.php 1.7 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182
  1. <?php namespace System\Routing;
  2. use System\Response;
  3. class Route {
  4. /**
  5. * The route key, including request method and URI.
  6. *
  7. * @var string
  8. */
  9. public $key;
  10. /**
  11. * The route callback or array.
  12. *
  13. * @var mixed
  14. */
  15. public $callback;
  16. /**
  17. * The parameters that will passed to the route function.
  18. *
  19. * @var array
  20. */
  21. public $parameters;
  22. /**
  23. * Create a new Route instance.
  24. *
  25. * @param string $key
  26. * @param mixed $callback
  27. * @param array $parameters
  28. * @return void
  29. */
  30. public function __construct($key, $callback, $parameters = array())
  31. {
  32. $this->key = $key;
  33. $this->callback = $callback;
  34. $this->parameters = $parameters;
  35. }
  36. /**
  37. * Execute the route function.
  38. *
  39. * @param mixed $route
  40. * @param array $parameters
  41. * @return Response
  42. */
  43. public function call()
  44. {
  45. $response = null;
  46. // The callback may be in array form, meaning it has attached filters or is named.
  47. // However, the callback may also simply be a closure. If it is just a closure,
  48. // we can execute it here. Otherwise, we will need to evaluate the route for any
  49. // filters that need to be called.
  50. if (is_callable($this->callback))
  51. {
  52. $response = call_user_func_array($this->callback, $this->parameters);
  53. }
  54. elseif (is_array($this->callback))
  55. {
  56. $response = isset($this->callback['before']) ? Filter::call($this->callback['before'], array(), true) : null;
  57. if (is_null($response) and isset($this->callback['do']))
  58. {
  59. $response = call_user_func_array($this->callback['do'], $this->parameters);
  60. }
  61. }
  62. $response = Response::prepare($response);
  63. if (is_array($this->callback) and isset($this->callback['after']))
  64. {
  65. Filter::call($this->callback['after'], array($response));
  66. }
  67. return $response;
  68. }
  69. }