Para Laravel 5.3 y superior
Verifique la respuesta de Scott a continuación.
Para Laravel 5 hasta 5.2
Simplemente pon,
En el middleware de autenticación:
// redirect the user to "/login"
// and stores the url being accessed on session
if (Auth::guest()) {
return redirect()->guest('login');
}
return $next($request);
En la acción de inicio de sesión:
// redirect the user back to the intended page
// or defaultpage if there isn't one
if (Auth::attempt(['email' => $email, 'password' => $password])) {
return redirect()->intended('defaultpage');
}
Para Laravel 4 (respuesta anterior)
En el momento de esta respuesta no había soporte oficial del marco en sí. Hoy en día puedes usarel método señalado por bgdrl a continuacióneste método: (he intentado actualizar su respuesta, pero parece que no aceptará)
En filtro de autenticación:
// redirect the user to "/login"
// and stores the url being accessed on session
Route::filter('auth', function() {
if (Auth::guest()) {
return Redirect::guest('login');
}
});
En la acción de inicio de sesión:
// redirect the user back to the intended page
// or defaultpage if there isn't one
if (Auth::attempt(['email' => $email, 'password' => $password])) {
return Redirect::intended('defaultpage');
}
Para Laravel 3 (respuesta incluso anterior)
Podrías implementarlo así:
Route::filter('auth', function() {
// If there's no user authenticated session
if (Auth::guest()) {
// Stores current url on session and redirect to login page
Session::put('redirect', URL::full());
return Redirect::to('/login');
}
if ($redirect = Session::get('redirect')) {
Session::forget('redirect');
return Redirect::to($redirect);
}
});
// on controller
public function get_login()
{
$this->layout->nest('content', 'auth.login');
}
public function post_login()
{
$credentials = [
'username' => Input::get('email'),
'password' => Input::get('password')
];
if (Auth::attempt($credentials)) {
return Redirect::to('logged_in_homepage_here');
}
return Redirect::to('login')->with_input();
}
El almacenamiento de la redirección en la sesión tiene la ventaja de persistir incluso si el usuario omitió sus credenciales o no tiene una cuenta y tiene que registrarse.
Esto también permite que cualquier otra cosa además de Auth establezca una redirección en la sesión y funcionará mágicamente.