Laravel 多重保护认证失败

Posted

技术标签:

【中文标题】Laravel 多重保护认证失败【英文标题】:Laravel Multiple Guard Authentication Failure 【发布时间】:2020-08-21 13:15:29 【问题描述】:

我正在创建一个有多个守卫的 Laravel 网站。 我的目标是能够使用 sessionUser-API 使用护照以 Admin、Employee 和 User 身份登录. 一切工作正常。 但是,我无法以 Employee 身份登录。

这里是 git 仓库。请检查员工分支和数据库播种器。 Git Repo

我会在这里分享步骤和代码来找出问题所在:

    我创建了必要的守卫、提供程序和密码代理 我更新了 Employee 模型 我更新了 RedirectIfAuthenticated 和 Authenticate 中间件 我创建了必要的路由和控制器

所有代码如下:

这里是 config/auth.php 文件,我有 4 名警卫 web、api、admin 和员工 以及他们的 提供者和密码代理

<?php

return [

    /*
    |--------------------------------------------------------------------------
    | Authentication Defaults
    |--------------------------------------------------------------------------
    |
    | This option controls the default authentication "guard" and password
    | reset options for your application. You may change these defaults
    | as required, but they're a perfect start for most applications.
    |
    */

    'defaults' => [
        'guard' => 'web',
        'passwords' => 'users',
    ],

    /*
    |--------------------------------------------------------------------------
    | Authentication Guards
    |--------------------------------------------------------------------------
    |
    | Next, you may define every authentication guard for your application.
    | Of course, a great default configuration has been defined for you
    | here which uses session storage and the Eloquent user provider.
    |
    | All authentication drivers have a user provider. This defines how the
    | users are actually retrieved out of your database or other storage
    | mechanisms used by this application to persist your user's data.
    |
    | Supported: "session", "token"
    |
    */

    'guards' => [
        'web' => [
            'driver' => 'session',
            'provider' => 'users',
        ],

        'api' => [
            'driver' => 'passport',
            'provider' => 'users',
            'hash' => false,
        ],

        'admin' => [
            'driver' => 'session',
            'provider' => 'admins',
        ],

        'employee' => [
            'driver' => 'session',
            'provider' => 'employees',
        ],

    ],

    /*
    |--------------------------------------------------------------------------
    | User Providers
    |--------------------------------------------------------------------------
    |
    | All authentication drivers have a user provider. This defines how the
    | users are actually retrieved out of your database or other storage
    | mechanisms used by this application to persist your user's data.
    |
    | If you have multiple user tables or models you may configure multiple
    | sources which represent each model / table. These sources may then
    | be assigned to any extra authentication guards you have defined.
    |
    | Supported: "database", "eloquent"
    |
    */

    'providers' => [
        'users' => [
            'driver' => 'eloquent',
            'model' => App\User::class,
        ],

        'admins' => [
            'driver' => 'eloquent',
            'model' => App\Admin::class,
        ],

        'employees' => [
            'driver' => 'eloquent',
            'model' => App\Employee::class,
        ],

        // 'users' => [
        //     'driver' => 'database',
        //     'table' => 'users',
        // ],
    ],

    /*
    |--------------------------------------------------------------------------
    | Resetting Passwords
    |--------------------------------------------------------------------------
    |
    | You may specify multiple password reset configurations if you have more
    | than one user table or model in the application and you want to have
    | separate password reset settings based on the specific user types.
    |
    | The expire time is the number of minutes that the reset token should be
    | considered valid. This security feature keeps tokens short-lived so
    | they have less time to be guessed. You may change this as needed.
    |
    */

    'passwords' => [
        'users' => [
            'provider' => 'users',
            'table' => 'password_resets',
            'expire' => 60,
            'throttle' => 60,
        ],

        'admins' => [
            'provider' => 'admins',
            'table' => 'password_resets',
            'expire' => 15,
            'throttle' => 60,
        ],

        'employees' => [
            'provider' => 'employees',
            'table' => 'password_resets',
            'expire' => 60,
            'throttle' => 60,
        ],
    ],

    /*
    |--------------------------------------------------------------------------
    | Password Confirmation Timeout
    |--------------------------------------------------------------------------
    |
    | Here you may define the amount of seconds before a password confirmation
    | times out and the user is prompted to re-enter their password via the
    | confirmation screen. By default, the timeout lasts for three hours.
    |
    */

    'password_timeout' => 10800,

];

这是 Employee.php 模型:

<?php

namespace App;

use App\Traits\Permissions\HasPermissionsTrait;
use Illuminate\Foundation\Auth\User as Authenticatable;
use Illuminate\Notifications\Notifiable;
use App\Notifications\Employee\ResetPasswordNotification as EmployeeResetPasswordNotification;

class Employee extends Authenticatable

    use Notifiable, HasPermissionsTrait;

    protected $guard = 'employee';

    /**
     * The attributes that are mass assignable.
     *
     * @var array
     */
    protected $fillable = [
        'name', 'email', 'password',
    ];

    /**
     * The attributes that should be hidden for arrays.
     *
     * @var array
     */
    protected $hidden = [
        'password', 'remember_token',
    ];

    /**
     * The attributes that should be cast to native types.
     *
     * @var array
     */
    protected $casts = [
        'email_verified_at' => 'datetime',
    ];

    /**
     * Send the password reset notification.
     *
     * @param  string  $token
     * @return void
     */
    public function sendPasswordResetNotification($token)
    
        $this->notify(new EmployeeResetPasswordNotification($token));
    

这是 App\Http\Middleware 中的 RedirectIfAuthenticated.php 类:

<?php

namespace App\Http\Middleware;

use App\Providers\RouteServiceProvider;
use Closure;
use Illuminate\Support\Facades\Auth;

class RedirectIfAuthenticated

    /**
     * Handle an incoming request.
     *
     * @param  \Illuminate\Http\Request  $request
     * @param  \Closure  $next
     * @param  string|null  $guard
     * @return mixed
     */
    public function handle($request, Closure $next, $guard = null)
    
        if ($guard == "admin" && Auth::guard($guard)->check()) 
            return redirect(RouteServiceProvider::ADMINHOME);
        

        if ($guard == "employee" && Auth::guard($guard)->check()) 
            return redirect(RouteServiceProvider::EMPLOYEEHOME);
        

        if (Auth::guard($guard)->check()) 
            return redirect('/home');
        

        return $next($request);
    

这是 App\Http\Middleware 中的 Authenticate.php 类:

<?php

namespace App\Http\Middleware;

use Illuminate\Auth\Middleware\Authenticate as Middleware;

class Authenticate extends Middleware

    /**
     * Get the path the user should be redirected to when they are not authenticated.
     *
     * @param  \Illuminate\Http\Request  $request
     * @return string|null
     */
    protected function redirectTo($request)
    
        if ($request->expectsJson()) 
            return response()->json(['error' => 'Unauthenticated.'], 401);
        

        if ($request->is('admin') || $request->is('admin/*')) 
            return route('admin.login');
        

        if ($request->is('employee') || $request->is('employee/*')) 
            return route('employee.login');
        

        if (! $request->expectsJson()) 
            return route('login');
        
    

这里是员工路线:

Route::prefix('employee')->group(function() 
    Route::get('/', 'Employee\HomeController@index')->name('employee.dashboard');
    Route::get('/home', 'Employee\HomeController@index')->name('employee.home');

    // Login Logout Routes
    Route::get('/login', 'Auth\Employee\LoginController@showLoginForm')->name('employee.login');
    Route::post('/login', 'Auth\Employee\LoginController@login')->name('employee.login.submit');
    Route::post('/logout', 'Auth\Employee\LoginController@logout')->name('employee.logout');

    // Password Resets Routes
    Route::post('password/email', 'Auth\Employee\ForgotPasswordController@sendResetLinkEmail')->name('employee.password.email');
    Route::get('password/reset', 'Auth\Employee\ForgotPasswordController@showLinkRequestForm')->name('employee.password.request');
    Route::post('password/reset', 'Auth\Employee\ResetPasswordController@reset')->name('employee.password.update');
    Route::get('/password/reset/token', 'Auth\Employee\ResetPasswordController@showResetForm')->name('employee.password.reset');
);

最后是 App\Http\Controllers\Auth\Employee\LoginController.php

<?php

namespace App\Http\Controllers\Auth\Employee;

use App\Http\Controllers\Controller;
use App\Providers\RouteServiceProvider;
use Illuminate\Foundation\Auth\AuthenticatesUsers;
use Illuminate\Support\Facades\Auth;
use Illuminate\Http\Request;

class LoginController extends Controller

    /*
    |--------------------------------------------------------------------------
    | Login Controller
    |--------------------------------------------------------------------------
    |
    | This controller handles authenticating employees for the application and
    | redirecting them to your home screen. The controller uses a trait
    | to conveniently provide its functionality to your applications.
    |
    */

    /**
     * Where to redirect users after login.
     *
     * @var string
     */
    protected $redirectTo = RouteServiceProvider::EMPLOYEEHOME;

    /**
     * Create a new controller instance.
     *
     * @return void
     */
    public function __construct()
    
        $this->middleware('guest:employee')->except('logout');
    

    /**
     * Get the guard to be used during authentication.
     *
     * @return \Illuminate\Contracts\Auth\StatefulGuard
     */
    protected function guard()
    
        return Auth::guard('employee');
    

    public function showLoginForm()
    
        return view('auth.employee-login');
    

    /**
     * Handle a login request to the application.
     *
     * @param  \Illuminate\Http\Request  $request
     * @return \Illuminate\Http\RedirectResponse|\Illuminate\Http\Response|\Illuminate\Http\JsonResponse
     *
     */
    public function login(Request $request)
    
        $this->validate($request, [
            'email'   => 'required|email',
            'password' => 'required|min:6'
        ]);

        $credentials = ['email' => $request->email, 'password' => $request->password];
        $remember_token = $request->get('remember');

        if ($res = $this->guard()->attempt($credentials, $remember_token)) 
                return redirect()->intended('/employee/home');
        

        return back()->withInput($request->only('email', 'remember'));
    

    public function logout()
    
        Auth::guard('employee')->logout();
        return redirect('/');
    

问题是:

login 函数中,attempt 函数返回 true,但重定向使我返回登录页面,这意味着 Employee/HomeController.php 具有中间件 auth:employee 在其构造函数中将我踢出,然后将我返回到 Authenticate 中间件,而该中间件又将我返回到员工登录页面。

我检查过:

if ($res = $this->guard()->attempt($credentials, $remember_token)) 
    return redirect()->intended('/employee/home');

在 LoginController 的 if 语句中如下:

-- dd(Auth::guard('employee')->check());它返回 true。

-- dd(Auth::guard('employee')->user()); 它返回:

App\Employee #379 ▼
  #guard: "employee"
  #fillable: array:3 [▶]
  #hidden: array:2 [▶]
  #casts: array:1 [▶]
  #connection: "mysql"
  #table: "employees"
  #primaryKey: "id"
  #keyType: "int"
  +incrementing: true
  #with: []
  #withCount: []
  #perPage: 15
  +exists: true
  +wasRecentlyCreated: false
  #attributes: array:7 [▶]
  #original: array:7 [▼
    "name" => "employee"
    "email" => "employee@gmail.com"
    "email_verified_at" => "2020-05-05 18:16:25"
    "password" => "$2y$10$15zFxGvAA2GVRkcAYFEXc.3WyOtcdlARlOMwIdSEqbU2.95NNWUJG"
    "remember_token" => null
    "created_at" => "2020-05-05 18:16:25"
    "updated_at" => "2020-05-05 18:16:25"
  ]
  #changes: []
  #classCastCache: []
  #dates: []
  #dateFormat: null
  #appends: []
  #dispatchesEvents: []
  #observables: []
  #relations: []
  #touches: []
  +timestamps: true
  #visible: []
  #guarded: array:1 [▶]
  #rememberTokenName: "remember_token"

我仍然找不到问题所在。任何帮助。谢谢。

【问题讨论】:

可能是 if ($res = $this-&gt;guard('employee')-&gt;attempt($credentials, $remember_token)) if (Auth::guard('employee')-&gt;attempt($credentials)) 而不是空的 guard()。检查Accessing Specific Guard Instances部分。 我认为if ($res = $this-&gt;guard('employee')-&gt;attempt($credentials, $remember_token)) 不会起作用,因为guard() 是LoginController 中的一个函数,它返回Auth::guard('employee'),并且括号中没有任何要传递给它的参数。 但是,如果我忽略guard() 函数并尝试if ($res = Auth::guard('employee')-&gt;attempt($credentials, $remember_token)),我仍然会遇到同样的问题和同样的问题。 我在问题中附加了 git repo。如果有人需要检查,此代码仅在员工分支机构。 你这里的失败点太多了。从构造方法中移动所有中间件,并在路由文件中仅设置中间件组。如果您不使用 xdebug,那将是最简单的。我的建议是安装并开始使用 xdebug,这样您就可以知道哪些行变量会发生变化,以及为什么会发生代码中断。 【参考方案1】:

问题不在于 LoginController 或问题中的逻辑。一切都是正确的。然而,员工迁移是错误的,它在表中没有id,这就是解决方法。所以这个问题是无关紧要的。

【讨论】:

很高兴知道。 :D

以上是关于Laravel 多重保护认证失败的主要内容,如果未能解决你的问题,请参考以下文章

HttpBasic认证失败url

MongoDB无法连接/认证失败

中心网络连接失败,认证地址

关闭kerberos认证zookeeper初始化失败

secureCRT 安装破解、壁垒机配置及认证失败报错问题处理

svn认证失败的问题