web-dev-qa-db-ja.com

Laravel:カスタムログインへのスロットルの統合

Laravelが提供するデフォルトのLoginControllerを使用しなかった場合、laravelスロットルを統合する方法は?

これが私のコントローラーです:

  use AuthenticatesUsers;

  //function for login
  public function login(Request $requests){
    $username = $requests->username;
    $password = $requests->password;

    /**to login using email or username**/
    if(filter_var($username, FILTER_VALIDATE_EMAIL)) {

      Auth::attempt(['email' => $username, 'password' => $password]);
    } else {

      Auth::attempt(['username' => $username, 'password' => $password]);
    }


    if(Auth::check()){
      if(Auth::user()->type_user == 0){

        return view('users.dashboard');

      }
      else{
        return view('admin.dashboard');
      }
    }
    else{

      return Redirect::back()->withInput()->withErrors(['message'=>$login_error],'login');

    }
  }

失敗したログインを制限したいのですが、自分のコントローラーを使用してそれを機能させることができないようです。助けてくれませんか?

8
JaneTho

メソッド内に次のコードを追加します。それを最初にする

// 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.
if ($this->hasTooManyLoginAttempts($request)) {
    $this->fireLockoutEvent($request);
    return $this->sendLockoutResponse($request);
}

次に、ログインが失敗する場所に次のコードを追加します。これにより、失敗した試行回数が増加します。

$this->incrementLoginAttempts($request);

ログインに成功したら、次のコードを追加してリセットします。

$this->clearLoginAttempts($request);
3
w1n78

次のように、コントローラーのコンストラクターにスロットルを追加してみてください。

/**
 * Create a new login controller instance.
 *
 * @return void
 */
public function __construct()
{
    $this->middleware('throttle:3,1')->only('login');
}

残念ながら、Laravelドキュメントはスロットリングについてあまり語っていません: https://laravel.com/docs/6.x/authentication#login-throttling

ただし、文字列の3,1部分は、1分の減衰時間で最大3回の試行に対応します。

throttleは、次のようにrouteMiddleware配列の/project-root/laravel/app/Http/Kernel.phpで定義できます。
'throttle' => \Illuminate\Routing\Middleware\ThrottleRequests::class,。 Laravelドキュメントではこの方法についてここで説明しています: https://laravel.com/docs/6.x/middleware#assigning-middleware-to-routes

2
j3py

illuminate\Foundation\AuthにあるTraitThrottlesLoginsを使用し、以下に説明するように2つの関数をオーバーライドします。 Laravel 5.6でテストし、正常に動作しています。

public function maxAttempts()
{
    //Lock out on 5th Login Attempt
    return 5;
}

public function decayMinutes()
{
    //Lock for 1 minute
    return 1;
}
1
ferdousulhaque

この答えは非常に遅いですが、これが私がしたことであり、うまくいきました。それがあなたにも役立つことを願っています。私はlaravel 5.2を使用しています。

<?php

namespace App\Http\Controllers;

use App\User;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;
use Illuminate\Support\MessageBag;
use Cookie;
use Illuminate\Foundation\Auth\ThrottlesLogins;
use Illuminate\Foundation\Auth\AuthenticatesAndRegistersUsers;

class UserController extends Controller
{
/** Add This line on top */
use AuthenticatesAndRegistersUsers,ThrottlesLogins;
/** This way, you can control the throttling */
protected $maxLoginAttempts=3;
protected $lockoutTime=300;

public function postUserSignIn(Request $request)
{
    /** This line should be in the start of method */
    if ($this->hasTooManyLoginAttempts($request)) {
        $this->fireLockoutEvent($request);
        return $this->sendLockoutResponse($request);
    }
    /** Validate the input */
    $validation = $this->validate($request,[
        'email' => 'required|email',
        'password' => 'required|min:4'
    ]);

    /** Validation is done, now login user */
    //else to user profile
    $check = Auth::attempt(['email' => $request['email'],'password' => $request['password']]);

    if($check){

        $user = Auth::user();
        /** Since Authentication is done, Use it here */
        $this->clearLoginAttempts($request);
        if ($user->role == 1 || $user->role == 2){
            if(Session::has('cart')){
                return redirect()->route('cart');
            }
            return redirect()->intended();
        }elseif($user->role == 99) {
            return redirect()->route('dashboard');
        }

    }else{
        /** Authentication Failed */
        $this->incrementLoginAttempts($request);
        $errors = new MessageBag(['password' => ['Email and/or Password is invalid']]);
        return redirect()->back()->withErrors($errors);
    }

}

}

0
Ali Jibran

私のバージョンを試してください:

use Illuminate\Foundation\Auth\AuthenticatesUsers;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth;

class LoginController extends Controller{
use AuthenticatesUsers;
public function login(Request $request){
    if($this->hasTooManyLoginAttempts($request)){
        $this->fireLockoutEvent($request);
        return $this->sendLockoutResponse($request);
    }else{
        if (Auth::attempt(['username' => $request->login_username, 'password' => $request->login_password])) {
        session()->put(['username'=>Auth::user()->username,'userid'=>Auth::user()->id]);
        return redirect()->intended('anydashboard');
        }else{
            $this->incrementLoginAttempts($request);
            //my '/' path is the login page, with customized response msg...
            return redirect('/')->with(['illegal'=>'Login failed, please try again!'])->withInput($request->except('password'));
        }
    }
}
}

eloquent Model Auth(デフォルト)を使用するには、AUTH_MODELでAuthenticatableContractを実装する必要があるため、モデルを再確認してください。

namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Auth\Authenticatable;
use Illuminate\Auth\Passwords\CanResetPassword;
use Illuminate\Contracts\Auth\Authenticatable as AuthenticatableContract;
use Illuminate\Contracts\Auth\CanResetPassword as CanResetPasswordContract;
class User extends Model implements AuthenticatableContract,CanResetPasswordContract
{
use Authenticatable, CanResetPassword;
//protected $fillable = [];
...
}
0
Shuo Wang
if ($this->hasTooManyLoginAttempts($request)) {
            $this->fireLockoutEvent($request);

            return redirect()->route('login')->with('alert-warning', 'Too many login attempts');
        }

protected function hasTooManyLoginAttempts(Request $request)
{
   $maxLoginAttempts = 3;

   $lockoutTime = 1; // In minutes

   return $this->limiter()->tooManyAttempts(
       $this->throttleKey($request), $maxLoginAttempts, $lockoutTime
   );
}
0
Bikram Maharjan
Route::post('login', ['before' => 'throttle:2,60', 'uses' => 'YourLoginController@Login']);
0
Bikram Maharjan