Laravel Guards are used to authenticate users and control access to different parts of the application. Laravel ships with several guards out of the box, such as the session guard and the token guard, but you can also create custom guards to meet your specific needs. In this tutorial, I will show you how to implement a custom guard in laravel whereby creating an Admin guard that authenticates users to the admin Dashboard.
Now head over to our kernel.php file app\http\kernel.php and plug in the admin middleware class: protected $routeMiddleware = [ 'auth' => \App\Http\Middleware\Authenticate::class, 'auth.basic' => \Illuminate\Auth\Middleware\AuthenticateWithBasicAuth::class, 'auth.session' => \Illuminate\Session\Middleware\AuthenticateSession::class, 'cache.headers' => \Illuminate\Http\Middleware\SetCacheHeaders::class, 'can' => \Illuminate\Auth\Middleware\Authorize::class, 'guest' => \App\Http\Middleware\RedirectIfAuthenticated::class, 'password.confirm' => \Illuminate\Auth\Middleware\RequirePassword::class, 'signed' => \App\Http\Middleware\ValidateSignature::class, 'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class, 'verified' => \Illuminate\Auth\Middleware\EnsureEmailIsVerified::class, 'admin' => \App\Http\Middleware\Admin::class, ]; Next we have to create the Admin Guard in our config\auth.php file: 'guards' => [ 'web' => [ 'driver' => 'session', 'provider' => 'users', ], //guard for the admin login 'admin' => [ 'driver' => 'session', 'provider' => 'admins', //admin table ], ], 'providers' => [ 'users' => [ 'driver' => 'eloquent', 'model' => App\Models\User::class, ], 'admins' => [ 'driver' => 'eloquent', 'model' => App\Models\Admin::class, ], ], Exit fullscreen mode customize-routes 6.
login: returns the admin login view loginAdmin: Authenticates and return the admin dashboard dashboard: returns the admin dashboard logout: log's out the admin creating-the-login-and-dashboard-views 8.