최근 직장에서 필요하다고 느꼈던 다중 필드 로그인의 효과 중 하나는 바로 휴대폰, 이메일 등 어떤 방법으로든 로그인이 가능하다는 점입니다. 이제 해결 과정을 공유해드리겠습니다. 도움이 필요한 친구 기반 솔루션을 주로 소개한 글에서는 Laravel5.4의 다중 필드 로그인 기능 구현에 대한 관련 정보를 참조할 수 있습니다.
머리말
최근에는 프로젝트에 다중 필드 로그인 기능을 구현해야 합니다. 간단히 말하면 사용자 이름, 이메일 또는 휴대폰 번호를 사용하여 로그인할 수 있습니다. 그래서 이번 글에서는 Laravel5.4 다중 필드 로그인에 대한 관련 내용을 소개하고 참고 및 학습을 위해 공유하겠습니다. 더 이상 고민하지 말고 자세한 소개를 살펴보겠습니다.
다음 내용은 laravel5.4를 기준으로 작성되었습니다
방법은 다음과 같습니다.
먼저 artisan 도구를 통해 인증 모듈을 생성합니다
php artisan make:auth
이때, Auth 디렉토리는 AppHttpControllers 디렉토리에 등록 및 로그인과 관련된 컨트롤러가 생성되며, 등록 및 로그인과 관련된 일부 뷰도 resourcesviews 디렉토리에 생성됩니다. 다음과 같이 IlluminateSupportFacadesAuth 클래스의 시도 메소드를 사용해야 합니다.
<?php namespace App\Http\Controllers; use Illuminate\Support\Facades\Auth; class LoginController extends Controller { /** * Handle an authentication attempt. * * @return Response */ public function authenticate() { if (Auth::attempt(['email' => $email, 'password' => $password])) { // Authentication passed... return redirect()->intended('dashboard'); } } }
이 메소드는 전달한 내용을 기반으로 합니다. 입력된 매개변수는 데이터베이스에 일치하는 사용자가 있는지 여부를 결정합니다. true를 반환하고 그렇지 않으면 false를 반환합니다. 그런 다음 LoginController에 이 메서드를 추가했지만 아무런 효과가 없는 것 같습니다. 그래서 LoginController의 구현 메커니즘을 관찰하기 시작했고 정의 파일을 추적했습니다. 이 특성을 분석한 결과 이 파일이 우리가 원하는 파일이라는 것을 알았습니다
로그인 로직 처리를 담당하는 로그인 메소드가 있습니다.
/** * Handle a login request to the application. * * @param \Illuminate\Http\Request $request * @return \Illuminate\Http\RedirectResponse|\Illuminate\Http\Response */ public function login(Request $request) { // 表单验证 $this->validateLogin($request); // If the class is using the ThrottlesLogins trait, we can automatically throttle // the login attempts for this application. We'll key this by the username and // the IP address of the client making these requests into this application. // 防止暴力破解,多次登录失败会根据IP锁定 if ($this->hasTooManyLoginAttempts($request)) { $this->fireLockoutEvent($request); return $this->sendLockoutResponse($request); } // 这个就是主要的负责判断数据库中是否存在相应的账号和密码的地方,我们需要重写的就是attemptLogin方法 if ($this->attemptLogin($request)) { return $this->sendLoginResponse($request); } // If the login attempt was unsuccessful we will increment the number of attempts // to login and redirect the user back to the login form. Of course, when this // user surpasses their maximum number of attempts they will get locked out. // 登录失败,失败次数++,防止暴力破解 $this->incrementLoginAttempts($request); // 返回失败响应 return $this->sendFailedLoginResponse($request); }
이 파일의 웨이브를 분석하여 로그인 판단을 위한 주요 메소드를 발견했습니다. 이 메소드만 다시 작성하면 됩니다. 먼저 원본이 어떻게 작성되었는지 확인한 다음 원본에 따라 다시 작성해 보겠습니다.
/** * Attempt to log the user into the application. * * @param \Illuminate\Http\Request $request * @return bool */ protected function attemptLogin(Request $request) { return $this->guard()->attempt( $this->credentials($request), $request->has('remember') ); }
LoginController를 다시 작성한 후:
public function attemptLogin(Request $request) { $username = $request->input('username'); $password = $request->input('password'); // 验证用户名登录方式 $usernameLogin = $this->guard()->attempt( ['username' => $username, 'password' => $password], $request->has('remember') ); if ($usernameLogin) { return true; } // 验证手机号登录方式 $mobileLogin = $this->guard()->attempt( ['mobile' => $username, 'password' => $password], $request->has('remember') ); if ($mobileLogin) { return true; } // 验证邮箱登录方式 $emailLogin = $this->guard()->attempt( ['email' => $username, 'password' => $password], $request->has('remember') ); if ($emailLogin) { return true; } return false; }
만 사용해야 합니다. 성공하면 true를 반환하고, 실패하면 계속해서 다른 필드를 사용하여 테스트를 수행합니다. 다중 필드 로그인 효과
위 내용은 Laravel5.4에서 다중 필드 로그인 기능 구현의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!