2

我正在使用 FormRequest 进行验证。我正在尝试通过 Flash 设置顶级错误消息,以向用户显示表单提交未成功。

现在我有以下 UserResquest

class UserRequest extends FormRequest {
    /**
     * Determine if the user is authorized to make this request.
     *
     * @return bool
     */
    public function authorize()
    {
        return true;
    }

    /**
     * Get the validation rules that apply to the request.
     *
     * @return array
     */
    public function rules()
    {
        return [
            'first_name' => 'required|string|min:2|max:50',
            'last_name' => 'required|string|min:2|max:50',
            'date_of_birth' => 'required|date',
            'gender' => 'required|in:male,female'
        ];
    }

我正在尝试在我的控制器中执行此操作

$validator = $request->validated();

        if ($validator->fails()) {
            Session::flash('error', $validator->messages()->first());
            return redirect()->back()->withInput();
        }

但 Flash 消息显示为空。使用时设置 Flash 错误消息的最佳方法是什么FormRequest

我正在按照视图模板设置我的 Flash 消息。

<div class="flash-message">
                @foreach (['danger', 'warning', 'success', 'info'] as $msg)
                    @if(Session::has('alert-' . $msg))
                        <p class="alert alert-{{ $msg }}">{{ Session::get('alert-' . $msg) }} <a href="#" class="close" data-dismiss="alert" aria-label="close">&times;</a></p>
                    @endif
                @endforeach
            </div> <!-- end .flash-message -->
4

2 回答 2

3

FormRequest它会自动执行,您不必在控制器中处理它。

它是这样做的

protected function failedValidation(Validator $validator)
{
    throw (new ValidationException($validator))
                ->errorBag($this->errorBag)
                ->redirectTo($this->getRedirectUrl());
}

如果您想要其他行为,您可以重载该方法。

要获取错误消息,您需要在错误包中获取它

{{ $errors->default->first('first_name') }}

错误包默认命名default,您可以在FormRequest扩展类中更改它

自定义消息

UserRequest要设置每个错误的消息,请在您的类中声明以下方法

public function messages()
{
    return [
        'first_name.required' => 'A first name is required',
        'first_name.min'  => 'The first name can\'t be a single character',
        ...
    ];
}

要知道是否有错误,请检查$errors->default刀片中的变量,然后您可以显示消息“表单未保存。检查下面的错误并重试”

于 2019-09-17T09:31:24.283 回答
2

正如 N69S 指出的那样。我们可以failedValidation如下设置。

/**
     * Handle a failed validation attempt.
     */
    protected function failedValidation(\Illuminate\Contracts\Validation\Validator $validator)
    {
        session()->flash('alert-danger', 'There was an error, Please try again!');
        return parent::failedValidation($validator);
    }
于 2019-09-17T13:46:08.153 回答