route.php 2.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105
  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 and we
  48. // will need to evaluate it further to determine what to do. If the callback is just a
  49. // closure, we can execute it now and return the result.
  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. if (isset($this->callback['needs']))
  57. {
  58. Package::load(explode(', ', $this->callback['needs']));
  59. }
  60. $response = isset($this->callback['before']) ? Filter::call($this->callback['before'], array(), true) : null;
  61. if (is_null($response) and ! is_null($handler = $this->find_route_function()))
  62. {
  63. $response = call_user_func_array($handler, $this->parameters);
  64. }
  65. }
  66. $response = Response::prepare($response);
  67. if (is_array($this->callback) and isset($this->callback['after']))
  68. {
  69. Filter::call($this->callback['after'], array($response));
  70. }
  71. return $response;
  72. }
  73. /**
  74. * Extract the route function from the route.
  75. *
  76. * If a "do" index is specified on the callback, that is the handler.
  77. * Otherwise, we will return the first callable array value.
  78. *
  79. * @return Closure
  80. */
  81. private function find_route_function()
  82. {
  83. if (isset($this->callback['do'])) return $this->callback['do'];
  84. foreach ($this->callback as $value)
  85. {
  86. if (is_callable($value)) return $value;
  87. }
  88. }
  89. }