10

ユーザーがデータベース内のパスワードと同じパスワードを投稿したかどうかを確認する必要があります。古いパスワードのフィールドは「oldpass」です。私が作成したカスタムバリデーターは「passcheck」と呼ばれます。それに応じて失敗するか合格する必要があります。

以下の UsersController コードが機能しません。私は何が間違っていたのでしょうか?

    $rules = array(
        'oldpass'   =>  'passcheck',
    );

    $messages = array(
        'passcheck' => 'Your old password was incorrect',
    );


    Validator::extend('passcheck', function($attribute, $value, $parameters)
    {
        if(!DB::table('users')->where('password', Hash::make(Input::get('oldpass')))->first()){
            return false;
        }
        else{
            return true;
        };
    });

    $validator = Validator::make($inputs, $rules, $messages);
4

3 に答える 3

19

You should use something like this,

$user = DB::table('users')->where('username', 'someusername')->first();
if (Hash::check(Input::get('oldpass'), $user->password)) {
    // The passwords match...
    return true;
}
else {
    return false;
}

So, you have to get the record using username or any other field and then check the password.

@lucasmichot offered even shorter solution:

Validator::extend('passcheck', function ($attribute, $value, $parameters) 
{
    return Hash::check($value, Auth::user()->getAuthPassword());
});
于 2013-07-27T18:54:02.213 に答える
6

私は次のようにします:

/**
 * Rule is to be defined like this:
 *
 * 'passcheck:users,password,id,1' - Means password is taken from users table, user is searched by field id equal to 1
 */
Validator::extend('passcheck', function ($attribute, $value, $parameters) {
    $user = DB::table($parameters[0])->where($parameters[2], $parameters[3])->first([$parameters[1]]);
    if (Hash::check($value, $user->{$parameters[1]})) {
        return true;
    } else {
        return false;
    }
});

このバリデータ ルールは、現在のユーザーのパスワードを確認するためのデータベース クエリを作成します。

さらに短くしてクエリを保存できます。

Validator::extend('passcheck', function ($attribute, $value, $parameters) {
    return Hash::check($value, Auth::user()->getAuthPassword());
});
于 2014-07-01T21:26:39.107 に答える
4

ルールを Html 要素に関連付けないでください。Laravel が提供するパラメーターを使用して、カスタム ルールを作成します。これは次のようになります (ユーザーが認証されていると仮定します):

Validator::extend('passcheck', function($attribute, $value, $parameters) {
    return Hash::check($value, Auth::user()->password); // Works for any form!
});

$messages = array(
    'passcheck' => 'Your old password was incorrect',
);

$validator = Validator::make(Input::all(), [
    'oldpass'  => 'passcheck',
    // more rules ...
], $messages);
于 2014-04-14T09:03:34.740 に答える