如何重写与 AJAX 一起使用的方法?

How to rewrite a method for using with AJAX?

我有一个 trait 处理密码恢复逻辑:

public function reset(Request $request)
{
    $this->validate($request, $this->rules(), $this->validationErrorMessages());

    $response = $this->broker()->reset(
        $this->credentials($request), function ($user, $password) {
            $this->resetPassword($user, $password);
        }
    );

    return $response == Password::PASSWORD_RESET
                ? $this->sendResetResponse($response)
                : $this->sendResetFailedResponse($request, $response);
}

protected function rules()
{
    return [
        'token' => 'required',
        'email' => 'required|email',
        'password' => 'required|confirmed|min:6',
    ];
}

protected function sendResetFailedResponse(Request $request, $response)
{
    return redirect()->back()
                ->withInput($request->only('email'))
                ->withErrors(['email' => trans($response)]);
}

我想在 AJAX 通话中使用它。我应该如何重写sendResetFailedResponse()
当我在没有 AJAX 的情况下使用此逻辑时,如果 rules() 上的验证失败,我只会收到带有 422 状态代码的错误响应。但是,如果在检查令牌有效性时验证失败 (reset()) - return.
中的状态代码没有错误 我的 AJAX 就像

axios.post('/password/reset', {
                    //data to send
                })
                .then((response) => {
                    ...
                })
                .catch((error) => {
                    //I can catch errors which are returning from rules() fail
                    //I want to catch non-valid token error here too
                }); 

我试图覆盖

protected function sendResetFailedResponse(Request $request, $response)
{
    return response(['email' => trans($response)]);
}

但是此代码 returns 在 AJAX .catch()

之后出现令牌错误

我只是在重置方法中这样做,效果很好。

public function reset(Request $request)
{
    $this->validate($request, $this->rules(), $this->validationErrorMessages());
    // Here we will attempt to reset the user's password. If it is successful we
    // will update the password on an actual user model and persist it to the
    // database. Otherwise we will parse the error and return the response.
    $response = $this->broker()->reset(
        $this->credentials($request), function ($user, $password) {
            $this->resetPassword($user, $password);
        }
    );
    if ($request->ajax()){
        if ($response == Password::PASSWORD_RESET) {
            return response()->json(['message' => 'Success'],200);
        } else {
            return response()->json(['error' => 'Please try again'], 422);
        }
    }
    // If the password was successfully reset, we will redirect the user back to
    // the application's home authenticated view. If there is an error we can
    // redirect them back to where they came from with their error message.
    return $response == Password::PASSWORD_RESET
    ? $this->sendResetResponse($response)
    : $this->sendResetFailedResponse($request, $response);
}

希望对您有所帮助