105 lines
1.8 KiB
PHP
105 lines
1.8 KiB
PHP
<?php namespace App\Http\Controllers;
|
|
|
|
use App\User;
|
|
use Illuminate\Contracts\Auth\Guard;
|
|
|
|
use App\Http\Requests\LoginRequest;
|
|
use App\Http\Requests\RegisterRequest;
|
|
|
|
class AuthController extends Controller {
|
|
|
|
/**
|
|
* The Guard implementation.
|
|
*
|
|
* @var Guard
|
|
*/
|
|
protected $auth;
|
|
|
|
/**
|
|
* Create a new authentication controller instance.
|
|
*
|
|
* @param Guard $auth
|
|
* @return void
|
|
*/
|
|
public function __construct(Guard $auth)
|
|
{
|
|
$this->auth = $auth;
|
|
|
|
$this->middleware('guest', ['except' => 'getLogout']);
|
|
}
|
|
|
|
/**
|
|
* Show the application registration form.
|
|
*
|
|
* @return Response
|
|
*/
|
|
public function getRegister()
|
|
{
|
|
return view('auth.register');
|
|
}
|
|
|
|
/**
|
|
* Handle a registration request for the application.
|
|
*
|
|
* @param RegisterRequest $request
|
|
* @return Response
|
|
*/
|
|
public function postRegister(RegisterRequest $request)
|
|
{
|
|
$user = User::forceCreate([
|
|
'name' => $request->name,
|
|
'email' => $request->email,
|
|
'password' => bcrypt($request->password),
|
|
]);
|
|
|
|
$this->auth->login($user);
|
|
|
|
return redirect('/dashboard');
|
|
}
|
|
|
|
/**
|
|
* Show the application login form.
|
|
*
|
|
* @return Response
|
|
*/
|
|
public function getLogin()
|
|
{
|
|
return view('auth.login');
|
|
}
|
|
|
|
/**
|
|
* Handle a login request to the application.
|
|
*
|
|
* @param LoginRequest $request
|
|
* @return Response
|
|
*/
|
|
public function postLogin(LoginRequest $request)
|
|
{
|
|
$credentials = $request->only('email', 'password');
|
|
|
|
if ($this->auth->attempt($credentials, $request->has('remember')))
|
|
{
|
|
return redirect('/dashboard');
|
|
}
|
|
|
|
return redirect('/auth/login')
|
|
->withInput($request->only('email'))
|
|
->withErrors([
|
|
'email' => 'These credentials do not match our records.',
|
|
]);
|
|
}
|
|
|
|
/**
|
|
* Log the user out of the application.
|
|
*
|
|
* @return Response
|
|
*/
|
|
public function getLogout()
|
|
{
|
|
$this->auth->logout();
|
|
|
|
return redirect('/');
|
|
}
|
|
|
|
}
|