redirect.php 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697
  1. <?php namespace Laravel;
  2. class Redirect extends Response {
  3. /**
  4. * Create a redirect response.
  5. *
  6. * <code>
  7. * // Create a redirect response to a location within the application
  8. * return Redirect::to('user/profile');
  9. *
  10. * // Create a redirect with a 301 status code
  11. * return Redirect::to('user/profile', 301);
  12. *
  13. * // Create a redirect response to a location outside of the application
  14. * return Redirect::to('http://google.com');
  15. * </code>
  16. *
  17. * @param string $url
  18. * @param int $status
  19. * @param bool $https
  20. * @return Redirect
  21. */
  22. public static function to($url, $status = 302, $https = false)
  23. {
  24. $response = new static('', $status);
  25. return $response->header('Location', URL::to($url, $https));
  26. }
  27. /**
  28. * Create a redirect response to a HTTPS URL.
  29. *
  30. * @param string $url
  31. * @param int $status
  32. * @return Response
  33. */
  34. public static function to_secure($url, $status = 302)
  35. {
  36. return static::to($url, $status, true);
  37. }
  38. /**
  39. * Add an item to the session flash data.
  40. *
  41. * This is useful for passing status messages or other temporary data to the next request.
  42. *
  43. * <code>
  44. * // Create a redirect response and flash something to the session
  45. * return Redirect::to('user/profile')->with('message', 'Welcome Back!');
  46. * </code>
  47. *
  48. * @param string $key
  49. * @param mixed $value
  50. * @return Response
  51. */
  52. public function with($key, $value)
  53. {
  54. if (Config::get('session.driver') == '')
  55. {
  56. throw new \Exception('A session driver must be set before setting flash data.');
  57. }
  58. Session::flash($key, $value);
  59. return $this;
  60. }
  61. /**
  62. * Magic Method to handle creation of redirects to named routes.
  63. *
  64. * <code>
  65. * // Create a redirect response to the "profile" named route
  66. * return Redirect::to_profile();
  67. *
  68. * // Create a redirect response to a named route using HTTPS
  69. * return Redirect::to_secure_profile();
  70. * </code>
  71. */
  72. public static function __callStatic($method, $parameters)
  73. {
  74. $parameters = (isset($parameters[0])) ? $parameters[0] : array();
  75. if (strpos($method, 'to_secure_') === 0)
  76. {
  77. return static::to(URL::to_route(substr($method, 10), $parameters, true));
  78. }
  79. if (strpos($method, 'to_') === 0)
  80. {
  81. return static::to(URL::to_route(substr($method, 3), $parameters));
  82. }
  83. throw new \Exception("Method [$method] is not defined on the Redirect class.");
  84. }
  85. }