0

我对 Laravel 比较陌生,并试图理解一些东西。我创建了一个基本项目并使用了`

` php 工匠制作:身份验证

` 生成身份验证脚手架。

在生成的视图中,$errors 变量可用。我知道这可以通过使用 withErrors() 方法插入到视图中。

但是,我似乎无法在示例中找到它是如何插入的。在后台,以下功能似乎正在处理注册:

    /**
 * Handle a registration request for the application.
 *
 * @param  \Illuminate\Http\Request  $request
 * @return \Illuminate\Http\Response
 */
public function register(Request $request)
{
    $this->validator($request->all())->validate();

    event(new Registered($user = $this->create($request->all())));

    $this->guard()->login($user);

    return $this->registered($request, $user)
                    ?: redirect($this->redirectPath());
}

所以调用了默认 RegisterController 的验证器方法,它返回了一个验证器。但我无法理解验证器的错误是如何插入到 auth.register 视图中的。

4

2 回答 2

1

当发生验证错误时,Laravel 会抛出异常。在这种情况下,ValidationException会抛出一个实例。

Laravel 使用它的Illuminate\Foundation\Exceptions\Handler类处理任何未捕获的异常。在您的应用程序中,您应该看到一个将其扩展为app/Exceptions/Handler.php. 在该类中,您将看到该render方法调用它的父render方法,如果您检查代码包含以下行:

public function render($request, Exception $e)
{
    $e = $this->prepareException($e);

    if ($e instanceof HttpResponseException) {
        return $e->getResponse();
    } elseif ($e instanceof AuthenticationException) {
        return $this->unauthenticated($request, $e);
    } elseif ($e instanceof ValidationException) {
        return $this->convertValidationExceptionToResponse($e, $request);
    }

    return $this->prepareResponse($request, $e);
}

如果你在同一个类中进一步检查,在方法中convertValidationExceptionToResponse你可以看到 Laravel 将错误闪现到响应并重定向回来,输入(当请求不期望 JSON 时):

protected function convertValidationExceptionToResponse(ValidationException $e, $request)
{
    if ($e->response) {
        return $e->response;
    }

    $errors = $e->validator->errors()->getMessages();

    if ($request->expectsJson()) {
        return response()->json($errors, 422);
    }

    return redirect()->back()->withInput($request->input())->withErrors($errors);
}
于 2017-01-31T19:41:49.570 回答
0

RegisterController 扩展了 Controller,如果我们查看 Controller 类,我们可以看到 use traitIlluminate\Foundation\Validation\ValidatesRequests;

如果我们深入研究,我们会发现:

/**
     * Create the response for when a request fails validation.
     *
     * @param  \Illuminate\Http\Request  $request
     * @param  array  $errors
     * @return \Symfony\Component\HttpFoundation\Response
     */
    protected function buildFailedValidationResponse(Request $request, array $errors)
    {
        if ($request->expectsJson()) {
            return new JsonResponse($errors, 422);
        }

        return redirect()->to($this->getRedirectUrl())
                        ->withInput($request->input())
                        ->withErrors($errors, $this->errorBag());
    }
于 2017-01-31T19:39:02.500 回答