route.php 2.3 KB

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