controller.php 1.6 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859
  1. <?php namespace Laravel;
  2. abstract class Controller {
  3. /**
  4. * A stub method that will be called before every request to the controller.
  5. *
  6. * If a value is returned by the method, it will be halt the request cycle
  7. * and will be considered the response to the request.
  8. *
  9. * @return mixed
  10. */
  11. public function before() {}
  12. /**
  13. * Magic Method to handle calls to undefined functions on the controller.
  14. *
  15. * By default, the 404 response will be returned for an calls to undefined
  16. * methods on the controller. However, this method may also be overridden
  17. * and used as a pseudo-router by the controller.
  18. */
  19. public function __call($method, $parameters)
  20. {
  21. return IoC::container()->resolve('laravel.response')->error('404');
  22. }
  23. /**
  24. * Dynamically resolve items from the application IoC container.
  25. *
  26. * First, "laravel." will be prefixed to the requested item to see if there is
  27. * a matching Laravel core class in the IoC container. If there is not, we will
  28. * check for the item in the container using the name as-is.
  29. *
  30. * <code>
  31. * // Resolve the "laravel.input" instance from the IoC container
  32. * $input = $this->input;
  33. *
  34. * // Resolve the "mailer" instance from the IoC container
  35. * $mongo = $this->mailer;
  36. * </code>
  37. *
  38. */
  39. public function __get($key)
  40. {
  41. $container = IoC::container();
  42. if ($container->registered('laravel.'.$key))
  43. {
  44. return $container->resolve('laravel.'.$key);
  45. }
  46. elseif ($container->registered($key))
  47. {
  48. return $container->resolve($key);
  49. }
  50. throw new \Exception("Attempting to access undefined property [$key] on controller.");
  51. }
  52. }