验证
简介
Laravel 提供了几种不同的方法来验证应用程序的传入数据。最常见的是使用所有传入 HTTP 请求上可用的 validate
方法。但是,我们也将讨论其他验证方法。
Laravel 包含各种方便的验证规则,您可以将其应用于数据,甚至可以验证给定数据库表中值是否唯一。我们将详细介绍所有这些验证规则,以便您熟悉 Laravel 的所有验证功能。
验证快速入门
要了解 Laravel 强大的验证功能,让我们看一个完整的示例,了解如何验证表单并将错误消息显示给用户。通过阅读此高级概述,您将能够很好地了解如何使用 Laravel 验证传入的请求数据
定义路由
首先,假设我们在 routes/web.php
文件中定义了以下路由
1use App\Http\Controllers\PostController;2 3Route::get('/post/create', [PostController::class, 'create']);4Route::post('/post', [PostController::class, 'store']);
GET
路由将显示一个表单,供用户创建新的博客文章,而 POST
路由将新的博客文章存储在数据库中。
创建控制器
接下来,让我们看一下一个简单的控制器,该控制器处理对这些路由的传入请求。我们暂时将 store
方法留空
1<?php 2 3namespace App\Http\Controllers; 4 5use Illuminate\Http\RedirectResponse; 6use Illuminate\Http\Request; 7use Illuminate\View\View; 8 9class PostController extends Controller10{11 /**12 * Show the form to create a new blog post.13 */14 public function create(): View15 {16 return view('post.create');17 }18 19 /**20 * Store a new blog post.21 */22 public function store(Request $request): RedirectResponse23 {24 // Validate and store the blog post...25 26 $post = /** ... */27 28 return to_route('post.show', ['post' => $post->id]);29 }30}
编写验证逻辑
现在我们准备填写 store
方法,以使用验证新博客文章的逻辑。为此,我们将使用 Illuminate\Http\Request
对象提供的 validate
方法。如果验证规则通过,您的代码将继续正常执行;但是,如果验证失败,将抛出 Illuminate\Validation\ValidationException
异常,并且正确的错误响应将自动发送回用户。
如果在传统的 HTTP 请求期间验证失败,则会生成重定向响应到先前的 URL。如果传入的请求是 XHR 请求,则将返回 包含验证错误消息的 JSON 响应。
为了更好地理解 validate
方法,让我们跳回到 store
方法中
1/** 2 * Store a new blog post. 3 */ 4public function store(Request $request): RedirectResponse 5{ 6 $validated = $request->validate([ 7 'title' => 'required|unique:posts|max:255', 8 'body' => 'required', 9 ]);10 11 // The blog post is valid...12 13 return redirect('/posts');14}
如您所见,验证规则已传递到 validate
方法中。不用担心 - 所有可用的验证规则都已记录在案。同样,如果验证失败,将自动生成正确的响应。如果验证通过,我们的控制器将继续正常执行。
或者,验证规则可以指定为规则数组,而不是单个 |
分隔的字符串
1$validatedData = $request->validate([2 'title' => ['required', 'unique:posts', 'max:255'],3 'body' => ['required'],4]);
此外,您可以使用 validateWithBag
方法来验证请求,并将任何错误消息存储在命名的错误包中
1$validatedData = $request->validateWithBag('post', [2 'title' => ['required', 'unique:posts', 'max:255'],3 'body' => ['required'],4]);
在首次验证失败时停止
有时,您可能希望在第一次验证失败后停止在属性上运行验证规则。为此,请将 bail
规则分配给属性
1$request->validate([2 'title' => 'bail|required|unique:posts|max:255',3 'body' => 'required',4]);
在此示例中,如果 title
属性上的 unique
规则失败,则不会检查 max
规则。规则将按照分配的顺序进行验证。
关于嵌套属性的说明
如果传入的 HTTP 请求包含“嵌套”字段数据,则可以使用“点”语法在验证规则中指定这些字段
1$request->validate([2 'title' => 'required|unique:posts|max:255',3 'author.name' => 'required',4 'author.description' => 'required',5]);
另一方面,如果您的字段名称包含文字句点,则可以通过使用反斜杠转义句点来显式阻止将其解释为“点”语法
1$request->validate([2 'title' => 'required|unique:posts|max:255',3 'v1\.0' => 'required',4]);
显示验证错误
那么,如果传入的请求字段未通过给定的验证规则怎么办?如前所述,Laravel 将自动将用户重定向回其先前的位置。此外,所有验证错误和请求输入都将自动闪存到会话。
$errors
变量由 Illuminate\View\Middleware\ShareErrorsFromSession
中间件与应用程序的所有视图共享,该中间件由 web
中间件组提供。应用此中间件后,$errors
变量将始终在您的视图中可用,从而使您可以方便地假设 $errors
变量始终已定义并且可以安全使用。$errors
变量将是 Illuminate\Support\MessageBag
的实例。有关使用此对象的更多信息,请查看其文档。
因此,在我们的示例中,当验证失败时,用户将被重定向到控制器的 create
方法,从而允许我们在视图中显示错误消息
1<!-- /resources/views/post/create.blade.php --> 2 3<h1>Create Post</h1> 4 5@if ($errors->any()) 6 <div class="alert alert-danger"> 7 <ul> 8 @foreach ($errors->all() as $error) 9 <li>{{ $error }}</li>10 @endforeach11 </ul>12 </div>13@endif14 15<!-- Create Post Form -->
自定义错误消息
Laravel 的内置验证规则都具有错误消息,该错误消息位于应用程序的 lang/en/validation.php
文件中。如果您的应用程序没有 lang
目录,您可以指示 Laravel 使用 lang:publish
Artisan 命令创建它。
在 lang/en/validation.php
文件中,您将找到每个验证规则的翻译条目。您可以根据应用程序的需求自由更改或修改这些消息。
此外,您可以将此文件复制到另一个语言目录,以翻译应用程序语言的消息。要了解有关 Laravel 本地化的更多信息,请查看完整的本地化文档。
默认情况下,Laravel 应用程序骨架不包含 lang
目录。如果您想自定义 Laravel 的语言文件,可以通过 lang:publish
Artisan 命令发布它们。
XHR 请求和验证
在此示例中,我们使用了传统的表单来向应用程序发送数据。但是,许多应用程序接收来自 JavaScript 驱动的前端的 XHR 请求。在 XHR 请求期间使用 validate
方法时,Laravel 不会生成重定向响应。相反,Laravel 生成包含所有验证错误的 JSON 响应。此 JSON 响应将以 422 HTTP 状态代码发送。
@error
指令
您可以使用 @error
Blade 指令快速确定给定属性是否存在验证错误消息。在 @error
指令中,您可以输出 $message
变量以显示错误消息
1<!-- /resources/views/post/create.blade.php --> 2 3<label for="title">Post Title</label> 4 5<input 6 id="title" 7 type="text" 8 name="title" 9 class="@error('title') is-invalid @enderror"10/>11 12@error('title')13 <div class="alert alert-danger">{{ $message }}</div>14@enderror
如果您正在使用命名的错误包,则可以将错误包的名称作为第二个参数传递给 @error
指令
1<input ... class="@error('title', 'post') is-invalid @enderror">
表单回填
当 Laravel 由于验证错误而生成重定向响应时,框架将自动将所有请求的输入闪存到会话。这样做是为了方便您在下一次请求期间访问输入并重新填充用户尝试提交的表单。
要从先前的请求中检索闪存输入,请在 Illuminate\Http\Request
的实例上调用 old
方法。old
方法将从会话中提取先前闪存的输入数据
1$title = $request->old('title');
Laravel 还提供了一个全局 old
辅助函数。如果您在 Blade 模板中显示旧的输入,则使用 old
辅助函数重新填充表单会更方便。如果给定字段不存在旧输入,则将返回 null
1<input type="text" name="title" value="{{ old('title') }}">
关于可选字段的说明
默认情况下,Laravel 在应用程序的全局中间件堆栈中包含 TrimStrings
和 ConvertEmptyStringsToNull
中间件。因此,如果您不希望验证器将 null
值视为无效,则通常需要将“可选”请求字段标记为 nullable
。例如
1$request->validate([2 'title' => 'required|unique:posts|max:255',3 'body' => 'required',4 'publish_at' => 'nullable|date',5]);
在此示例中,我们指定 publish_at
字段可以是 null
或有效的日期表示形式。如果未将 nullable
修饰符添加到规则定义中,则验证器会将 null
视为无效日期。
验证错误响应格式
当您的应用程序抛出 Illuminate\Validation\ValidationException
异常并且传入的 HTTP 请求期望 JSON 响应时,Laravel 将自动为您格式化错误消息并返回 422 Unprocessable Entity
HTTP 响应。
在下面,您可以查看验证错误的 JSON 响应格式示例。请注意,嵌套错误键被展平为“点”表示法格式
1{ 2 "message": "The team name must be a string. (and 4 more errors)", 3 "errors": { 4 "team_name": [ 5 "The team name must be a string.", 6 "The team name must be at least 1 characters." 7 ], 8 "authorization.role": [ 9 "The selected authorization.role is invalid."10 ],11 "users.0.email": [12 "The users.0.email field is required."13 ],14 "users.2.email": [15 "The users.2.email must be a valid email address."16 ]17 }18}
表单请求验证
创建表单请求
对于更复杂的验证场景,您可能希望创建“表单请求”。表单请求是自定义请求类,封装了它们自己的验证和授权逻辑。要创建表单请求类,您可以使用 make:request
Artisan CLI 命令
1php artisan make:request StorePostRequest
生成的表单请求类将放置在 app/Http/Requests
目录中。如果此目录不存在,则在运行 make:request
命令时将创建它。Laravel 生成的每个表单请求都有两个方法:authorize
和 rules
。
您可能已经猜到,authorize
方法负责确定当前经过身份验证的用户是否可以执行请求表示的操作,而 rules
方法返回应应用于请求数据的验证规则
1/** 2 * Get the validation rules that apply to the request. 3 * 4 * @return array<string, \Illuminate\Contracts\Validation\ValidationRule|array<mixed>|string> 5 */ 6public function rules(): array 7{ 8 return [ 9 'title' => 'required|unique:posts|max:255',10 'body' => 'required',11 ];12}
您可以在 rules
方法的签名中键入您需要的任何依赖项。它们将通过 Laravel 服务容器自动解析。
那么,验证规则是如何评估的?您需要做的就是在控制器方法上键入请求类型提示。传入的表单请求在调用控制器方法之前进行验证,这意味着您无需使用任何验证逻辑来使控制器混乱
1/** 2 * Store a new blog post. 3 */ 4public function store(StorePostRequest $request): RedirectResponse 5{ 6 // The incoming request is valid... 7 8 // Retrieve the validated input data... 9 $validated = $request->validated();10 11 // Retrieve a portion of the validated input data...12 $validated = $request->safe()->only(['name', 'email']);13 $validated = $request->safe()->except(['name', 'email']);14 15 // Store the blog post...16 17 return redirect('/posts');18}
如果验证失败,将生成重定向响应,以将用户发送回其先前的位置。错误也将闪存到会话中,以便它们可用于显示。如果请求是 XHR 请求,则将向用户返回状态代码为 422 的 HTTP 响应,其中包括验证错误的 JSON 表示形式。
需要将实时表单请求验证添加到您的 Inertia 驱动的 Laravel 前端吗?请查看 Laravel Precognition。
执行额外的验证
有时,您需要在初始验证完成后执行其他验证。您可以使用表单请求的 after
方法完成此操作。
after
方法应返回一个可调用对象或闭包数组,这些对象或闭包将在验证完成后调用。给定的可调用对象将接收 Illuminate\Validation\Validator
实例,从而允许您在必要时引发其他错误消息
1use Illuminate\Validation\Validator; 2 3/** 4 * Get the "after" validation callables for the request. 5 */ 6public function after(): array 7{ 8 return [ 9 function (Validator $validator) {10 if ($this->somethingElseIsInvalid()) {11 $validator->errors()->add(12 'field',13 'Something is wrong with this field!'14 );15 }16 }17 ];18}
如前所述,after
方法返回的数组也可以包含可调用类。这些类的 __invoke
方法将接收 Illuminate\Validation\Validator
实例
1use App\Validation\ValidateShippingTime; 2use App\Validation\ValidateUserStatus; 3use Illuminate\Validation\Validator; 4 5/** 6 * Get the "after" validation callables for the request. 7 */ 8public function after(): array 9{10 return [11 new ValidateUserStatus,12 new ValidateShippingTime,13 function (Validator $validator) {14 //15 }16 ];17}
在首次验证失败时停止
通过将 stopOnFirstFailure
属性添加到您的请求类中,您可以告知验证器,一旦发生单个验证失败,它应停止验证所有属性
1/**2 * Indicates if the validator should stop on the first rule failure.3 *4 * @var bool5 */6protected $stopOnFirstFailure = true;
自定义重定向位置
当表单请求验证失败时,将生成重定向响应,以将用户发送回其先前的位置。但是,您可以自由自定义此行为。为此,请在您的表单请求上定义 $redirect
属性
1/**2 * The URI that users should be redirected to if validation fails.3 *4 * @var string5 */6protected $redirect = '/dashboard';
或者,如果您想将用户重定向到命名路由,则可以定义 $redirectRoute
属性
1/**2 * The route that users should be redirected to if validation fails.3 *4 * @var string5 */6protected $redirectRoute = 'dashboard';
授权表单请求
表单请求类还包含一个 authorize
方法。在此方法中,您可以确定经过身份验证的用户是否确实有权更新给定的资源。例如,您可以确定用户是否实际拥有他们尝试更新的博客评论。最有可能的是,您将在此方法中与您的授权门和策略进行交互
1use App\Models\Comment; 2 3/** 4 * Determine if the user is authorized to make this request. 5 */ 6public function authorize(): bool 7{ 8 $comment = Comment::find($this->route('comment')); 9 10 return $comment && $this->user()->can('update', $comment);11}
由于所有表单请求都扩展了基本 Laravel 请求类,因此我们可以使用 user
方法来访问当前经过身份验证的用户。另外,请注意上面示例中对 route
方法的调用。此方法使您可以访问在被调用路由上定义的 URI 参数,例如下面示例中的 {comment}
参数
1Route::post('/comment/{comment}');
因此,如果您的应用程序正在利用路由模型绑定,则可以通过将已解析的模型作为请求的属性来使您的代码更加简洁
1return $this->user()->can('update', $this->comment);
如果 authorize
方法返回 false
,则将自动返回状态代码为 403 的 HTTP 响应,并且您的控制器方法将不会执行。
如果您计划在应用程序的另一部分处理请求的授权逻辑,则可以完全删除 authorize
方法,或者仅返回 true
1/**2 * Determine if the user is authorized to make this request.3 */4public function authorize(): bool5{6 return true;7}
您可以在 authorize
方法的签名中键入您需要的任何依赖项。它们将通过 Laravel 服务容器自动解析。
自定义错误消息
您可以通过覆盖 messages
方法来自定义表单请求使用的错误消息。此方法应返回属性/规则对及其相应的错误消息数组
1/** 2 * Get the error messages for the defined validation rules. 3 * 4 * @return array<string, string> 5 */ 6public function messages(): array 7{ 8 return [ 9 'title.required' => 'A title is required',10 'body.required' => 'A message is required',11 ];12}
自定义验证属性
Laravel 的许多内置验证规则错误消息都包含 :attribute
占位符。如果您希望验证消息的 :attribute
占位符替换为自定义属性名称,则可以通过覆盖 attributes
方法来指定自定义名称。此方法应返回属性/名称对的数组
1/** 2 * Get custom attributes for validator errors. 3 * 4 * @return array<string, string> 5 */ 6public function attributes(): array 7{ 8 return [ 9 'email' => 'email address',10 ];11}
为验证准备输入
如果您需要在应用验证规则之前准备或清理请求中的任何数据,则可以使用 prepareForValidation
方法
1use Illuminate\Support\Str; 2 3/** 4 * Prepare the data for validation. 5 */ 6protected function prepareForValidation(): void 7{ 8 $this->merge([ 9 'slug' => Str::slug($this->slug),10 ]);11}
同样,如果您需要在验证完成后规范化任何请求数据,则可以使用 passedValidation
方法
1/**2 * Handle a passed validation attempt.3 */4protected function passedValidation(): void5{6 $this->replace(['name' => 'Taylor']);7}
手动创建验证器
如果您不想在请求上使用 validate
方法,则可以使用 Validator
外观模式手动创建验证器实例。外观模式上的 make
方法生成新的验证器实例
1<?php 2 3namespace App\Http\Controllers; 4 5use Illuminate\Http\RedirectResponse; 6use Illuminate\Http\Request; 7use Illuminate\Support\Facades\Validator; 8 9class PostController extends Controller10{11 /**12 * Store a new blog post.13 */14 public function store(Request $request): RedirectResponse15 {16 $validator = Validator::make($request->all(), [17 'title' => 'required|unique:posts|max:255',18 'body' => 'required',19 ]);20 21 if ($validator->fails()) {22 return redirect('/post/create')23 ->withErrors($validator)24 ->withInput();25 }26 27 // Retrieve the validated input...28 $validated = $validator->validated();29 30 // Retrieve a portion of the validated input...31 $validated = $validator->safe()->only(['name', 'email']);32 $validated = $validator->safe()->except(['name', 'email']);33 34 // Store the blog post...35 36 return redirect('/posts');37 }38}
传递给 make
方法的第一个参数是要验证的数据。第二个参数是应应用于数据的验证规则数组。
在确定请求验证是否失败后,您可以使用 withErrors
方法将错误消息闪存到会话。使用此方法时,$errors
变量将在重定向后自动与您的视图共享,从而使您可以轻松地将其显示回用户。withErrors
方法接受验证器、MessageBag
或 PHP array
。
在首次验证失败时停止
stopOnFirstFailure
方法将告知验证器,一旦发生单个验证失败,它应停止验证所有属性
1if ($validator->stopOnFirstFailure()->fails()) {2 // ...3}
自动重定向
如果您想手动创建验证器实例,但仍然利用 HTTP 请求的 validate
方法提供的自动重定向,则可以调用现有验证器实例上的 validate
方法。如果验证失败,用户将被自动重定向,或者,对于 XHR 请求,将返回JSON 响应
1Validator::make($request->all(), [2 'title' => 'required|unique:posts|max:255',3 'body' => 'required',4])->validate();
如果验证失败,您可以使用 validateWithBag
方法将错误消息存储在命名的错误包中
1Validator::make($request->all(), [2 'title' => 'required|unique:posts|max:255',3 'body' => 'required',4])->validateWithBag('post');
命名错误包
如果您在一个页面上有多个表单,则可能希望命名包含验证错误的 MessageBag
,从而使您可以检索特定表单的错误消息。为实现此目的,请将名称作为第二个参数传递给 withErrors
1return redirect('/register')->withErrors($validator, 'login');
然后,您可以从 $errors
变量访问命名的 MessageBag
实例
1{{ $errors->login->first('email') }}
自定义错误消息
如果需要,您可以提供自定义错误消息,验证器实例应使用这些消息而不是 Laravel 提供的默认错误消息。有几种方法可以指定自定义消息。首先,您可以将自定义消息作为第三个参数传递给 Validator::make
方法
1$validator = Validator::make($input, $rules, $messages = [2 'required' => 'The :attribute field is required.',3]);
在此示例中,:attribute
占位符将替换为要验证的字段的实际名称。您还可以在验证消息中利用其他占位符。例如
1$messages = [2 'same' => 'The :attribute and :other must match.',3 'size' => 'The :attribute must be exactly :size.',4 'between' => 'The :attribute value :input is not between :min - :max.',5 'in' => 'The :attribute must be one of the following types: :values',6];
为给定属性指定自定义消息
有时,您可能希望仅为特定属性指定自定义错误消息。您可以使用“点”表示法执行此操作。首先指定属性的名称,然后指定规则
1$messages = [2 'email.required' => 'We need to know your email address!',3];
指定自定义属性值
Laravel 的许多内置错误消息都包含 :attribute
占位符,该占位符替换为要验证的字段或属性的名称。要自定义用于替换特定字段的这些占位符的值,您可以将自定义属性数组作为第四个参数传递给 Validator::make
方法
1$validator = Validator::make($input, $rules, $messages, [2 'email' => 'email address',3]);
执行额外的验证
有时,您需要在初始验证完成后执行其他验证。您可以使用验证器的 after
方法完成此操作。after
方法接受一个闭包或可调用对象数组,这些对象或闭包将在验证完成后调用。给定的可调用对象将接收 Illuminate\Validation\Validator
实例,从而允许您在必要时引发其他错误消息
1use Illuminate\Support\Facades\Validator; 2 3$validator = Validator::make(/* ... */); 4 5$validator->after(function ($validator) { 6 if ($this->somethingElseIsInvalid()) { 7 $validator->errors()->add( 8 'field', 'Something is wrong with this field!' 9 );10 }11});12 13if ($validator->fails()) {14 // ...15}
如前所述,after
方法还接受可调用对象数组,如果您的“验证后”逻辑封装在可调用类中,这将特别方便,这些可调用类将通过其 __invoke
方法接收 Illuminate\Validation\Validator
实例
1use App\Validation\ValidateShippingTime; 2use App\Validation\ValidateUserStatus; 3 4$validator->after([ 5 new ValidateUserStatus, 6 new ValidateShippingTime, 7 function ($validator) { 8 // ... 9 },10]);
使用已验证的输入
在使用表单请求或手动创建的验证器实例验证传入的请求数据后,您可能希望检索实际经过验证的传入请求数据。可以通过多种方式完成此操作。首先,您可以在表单请求或验证器实例上调用 validated
方法。此方法返回已验证数据的数组
1$validated = $request->validated();2 3$validated = $validator->validated();
或者,您可以在表单请求或验证器实例上调用 safe
方法。此方法返回 Illuminate\Support\ValidatedInput
的实例。此对象公开 only
、except
和 all
方法,以检索已验证数据的子集或已验证数据的整个数组
1$validated = $request->safe()->only(['name', 'email']);2 3$validated = $request->safe()->except(['name', 'email']);4 5$validated = $request->safe()->all();
此外,Illuminate\Support\ValidatedInput
实例可以像数组一样进行迭代和访问
1// Validated data may be iterated...2foreach ($request->safe() as $key => $value) {3 // ...4}5 6// Validated data may be accessed as an array...7$validated = $request->safe();8 9$email = $validated['email'];
如果您想向已验证的数据添加其他字段,可以调用 merge
方法
1$validated = $request->safe()->merge(['name' => 'Taylor Otwell']);
如果您想将已验证的数据作为集合实例检索,可以调用 collect
方法
1$collection = $request->safe()->collect();
使用错误消息
在 Validator
实例上调用 errors
方法后,您将收到 Illuminate\Support\MessageBag
实例,该实例具有多种用于处理错误消息的便捷方法。自动提供给所有视图的 $errors
变量也是 MessageBag
类的实例。
检索字段的第一个错误消息
要检索给定字段的第一个错误消息,请使用 first
方法
1$errors = $validator->errors();2 3echo $errors->first('email');
检索字段的所有错误消息
如果您需要检索给定字段的所有消息的数组,请使用 get
方法
1foreach ($errors->get('email') as $message) {2 // ...3}
如果您正在验证数组表单字段,则可以使用 *
字符检索每个数组元素的所有消息
1foreach ($errors->get('attachments.*') as $message) {2 // ...3}
检索所有字段的所有错误消息
要检索所有字段的所有消息的数组,请使用 all
方法
1foreach ($errors->all() as $message) {2 // ...3}
确定字段是否存在消息
has
方法可用于确定给定字段是否存在任何错误消息
1if ($errors->has('email')) {2 // ...3}
在语言文件中指定自定义消息
Laravel 的内置验证规则都具有错误消息,该错误消息位于应用程序的 lang/en/validation.php
文件中。如果您的应用程序没有 lang
目录,您可以指示 Laravel 使用 lang:publish
Artisan 命令创建它。
在 lang/en/validation.php
文件中,您将找到每个验证规则的翻译条目。您可以根据应用程序的需求自由更改或修改这些消息。
此外,您可以将此文件复制到另一个语言目录,以翻译应用程序语言的消息。要了解有关 Laravel 本地化的更多信息,请查看完整的本地化文档。
默认情况下,Laravel 应用程序骨架不包含 lang
目录。如果您想自定义 Laravel 的语言文件,可以通过 lang:publish
Artisan 命令发布它们。
特定属性的自定义消息
您可以在应用程序的验证语言文件中自定义用于指定属性和规则组合的错误消息。为此,请将您的消息自定义添加到应用程序的 lang/xx/validation.php
语言文件的 custom
数组中
1'custom' => [2 'email' => [3 'required' => 'We need to know your email address!',4 'max' => 'Your email address is too long!'5 ],6],
在语言文件中指定属性
Laravel 的许多内置错误消息都包含 :attribute
占位符,该占位符替换为要验证的字段或属性的名称。如果您希望验证消息的 :attribute
部分替换为自定义值,则可以在 lang/xx/validation.php
语言文件的 attributes
数组中指定自定义属性名称
1'attributes' => [2 'email' => 'email address',3],
默认情况下,Laravel 应用程序骨架不包含 lang
目录。如果您想自定义 Laravel 的语言文件,可以通过 lang:publish
Artisan 命令发布它们。
在语言文件中指定值
Laravel 的某些内置验证规则错误消息包含 :value
占位符,该占位符替换为请求属性的当前值。但是,您有时可能需要将验证消息的 :value
部分替换为值的自定义表示形式。例如,考虑以下规则,该规则指定如果 payment_type
的值为 cc
,则需要信用卡号
1Validator::make($request->all(), [2 'credit_card_number' => 'required_if:payment_type,cc'3]);
如果此验证规则失败,它将产生以下错误消息
1The credit card number field is required when payment type is cc.
您可以在 lang/xx/validation.php
语言文件中定义 values
数组,而不是将 cc
显示为付款类型值,而是指定更用户友好的值表示形式
1'values' => [2 'payment_type' => [3 'cc' => 'credit card'4 ],5],
默认情况下,Laravel 应用程序骨架不包含 lang
目录。如果您想自定义 Laravel 的语言文件,可以通过 lang:publish
Artisan 命令发布它们。
定义此值后,验证规则将产生以下错误消息
1The credit card number field is required when payment type is credit card.
可用的验证规则
以下是所有可用的验证规则及其功能的列表
布尔值
字符串
Active URL Alpha Alpha Dash Alpha Numeric Ascii Confirmed Current Password Different Doesnt Start With Doesnt End With Email Ends With Enum Hex Color In IP Address JSON Lowercase MAC Address Max Min Not In Regular Expression Not Regular Expression Same Size Starts With String Uppercase URL ULID UUID
数字
Between Decimal Different Digits Digits Between Greater Than Greater Than Or Equal Integer Less Than Less Than Or Equal Max Max Digits Min Min Digits Multiple Of Numeric Same Size
数组
日期
文件
数据库
实用工具
终止 (Bail) 排除 (Exclude) 如果排除 (Exclude If) 除非排除 (Exclude Unless) 与...一起排除 (Exclude With) 没有...排除 (Exclude Without) 已填充 (Filled) 缺失 (Missing) 如果缺失 (Missing If) 除非缺失 (Missing Unless) 与...一起缺失 (Missing With) 与所有...一起缺失 (Missing With All) 可为空 (Nullable) 存在 (Present) 如果存在 (Present If) 除非存在 (Present Unless) 与...一起存在 (Present With) 与所有...一起存在 (Present With All) 禁止 (Prohibited) 如果禁止 (Prohibited If) 除非禁止 (Prohibited Unless) 禁止... (Prohibits) 必需 (Required) 如果必需 (Required If) 如果接受则必需 (Required If Accepted) 如果拒绝则必需 (Required If Declined) 除非必需 (Required Unless) 与...一起必需 (Required With) 与所有...一起必需 (Required With All) 没有...必需 (Required Without) 没有所有...必需 (Required Without All) 必需的数组键 (Required Array Keys) 有时 (Sometimes)
accepted (接受)
被验证字段必须是 "yes"
, "on"
, 1
, "1"
, true
, 或 "true"
。这对于验证“服务条款”接受或类似字段非常有用。
accepted_if:anotherfield,value,... (如果接受则必需:anotherfield,value,...)
如果另一个被验证字段等于指定值,则被验证字段必须是 "yes"
, "on"
, 1
, "1"
, true
, 或 "true"
。这对于验证“服务条款”接受或类似字段非常有用。
active_url (有效的 URL)
被验证字段必须根据 dns_get_record
PHP 函数具有有效的 A 或 AAAA 记录。提供的 URL 的主机名在使用 parse_url
PHP 函数提取后,再传递给 dns_get_record
。
after:date (之后:date)
被验证字段必须是在给定日期之后的值。日期将传递到 strtotime
PHP 函数中,以便转换为有效的 DateTime
实例。
1'start_date' => 'required|date|after:tomorrow'
您可以指定另一个字段来与日期进行比较,而不是传递要由 strtotime
计算的日期字符串。
1'finish_date' => 'required|date|after:start_date'
为了方便起见,可以使用流畅的 date
规则构建器来构造基于日期的规则。
1use Illuminate\Validation\Rule;2 3'start_date' => [4 'required',5 Rule::date()->after(today()->addDays(7)),6],
afterToday
和 todayOrAfter
方法可以分别用于流畅地表达日期必须在今天之后或今天或今天之后。
1'start_date' => [2 'required',3 Rule::date()->afterToday(),4],
after_or_equal:date (之后或等于:date)
被验证字段必须是大于或等于给定日期的值。有关更多信息,请参阅 after (之后) 规则。
为了方便起见,可以使用流畅的 date
规则构建器来构造基于日期的规则。
1use Illuminate\Validation\Rule;2 3'start_date' => [4 'required',5 Rule::date()->afterOrEqual(today()->addDays(7)),6],
alpha (字母)
被验证字段必须完全由 Unicode 字母字符组成,包含在 \p{L}
和 \p{M}
中。
要将此验证规则限制为 ASCII 范围内的字符 (a-z
和 A-Z
),您可以为验证规则提供 ascii
选项。
1'username' => 'alpha:ascii',
alpha_dash (字母和破折号)
被验证字段必须完全由 Unicode 字母数字字符组成,包含在 \p{L}
, \p{M}
, \p{N}
中,以及 ASCII 破折号 (-
) 和 ASCII 下划线 (_
)。
要将此验证规则限制为 ASCII 范围内的字符 (a-z
和 A-Z
),您可以为验证规则提供 ascii
选项。
1'username' => 'alpha_dash:ascii',
alpha_num (字母数字)
被验证字段必须完全由 Unicode 字母数字字符组成,包含在 \p{L}
, \p{M}
, 和 \p{N}
中。
要将此验证规则限制为 ASCII 范围内的字符 (a-z
和 A-Z
),您可以为验证规则提供 ascii
选项。
1'username' => 'alpha_num:ascii',
array (数组)
被验证字段必须是 PHP array
。
当为 array
规则提供附加值时,输入数组中的每个键都必须存在于提供给规则的值列表中。在以下示例中,输入数组中的 admin
键是无效的,因为它不包含在提供给 array
规则的值列表中。
1use Illuminate\Support\Facades\Validator; 2 3$input = [ 4 'user' => [ 5 'name' => 'Taylor Otwell', 6 'username' => 'taylorotwell', 7 'admin' => true, 8 ], 9];10 11Validator::make($input, [12 'user' => 'array:name,username',13]);
一般来说,您应该始终指定允许存在于数组中的数组键。
ascii (ASCII)
被验证字段必须完全由 7 位 ASCII 字符组成。
bail (终止)
在第一次验证失败后,停止运行该字段的验证规则。
虽然 bail
规则仅在遇到验证失败时停止验证特定字段,但 stopOnFirstFailure
方法将通知验证器,一旦发生单个验证失败,它应该停止验证所有属性。
1if ($validator->stopOnFirstFailure()->fails()) {2 // ...3}
before:date (之前:date)
被验证字段必须是在给定日期之前的值。日期将传递到 PHP strtotime
函数中,以便转换为有效的 DateTime
实例。此外,与 after (之后)
规则一样,也可以提供另一个被验证字段的名称作为 date
的值。
为了方便起见,也可以使用流畅的 date
规则构建器来构造基于日期的规则。
1use Illuminate\Validation\Rule;2 3'start_date' => [4 'required',5 Rule::date()->before(today()->subDays(7)),6],
beforeToday
和 todayOrBefore
方法可以分别用于流畅地表达日期必须在今天之前或今天或今天之前。
1'start_date' => [2 'required',3 Rule::date()->beforeToday(),4],
before_or_equal:date (之前或等于:date)
被验证字段必须是小于或等于给定日期的值。日期将传递到 PHP strtotime
函数中,以便转换为有效的 DateTime
实例。此外,与 after (之后)
规则一样,也可以提供另一个被验证字段的名称作为 date
的值。
为了方便起见,也可以使用流畅的 date
规则构建器来构造基于日期的规则。
1use Illuminate\Validation\Rule;2 3'start_date' => [4 'required',5 Rule::date()->beforeOrEqual(today()->subDays(7)),6],
between:min,max (介于:min,max)
被验证字段的大小必须在给定的 min 和 max 之间(包含)。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则相同。
boolean (布尔值)
被验证字段必须能够转换为布尔值。接受的输入是 true
, false
, 1
, 0
, "1"
, 和 "0"
。
confirmed (已确认)
被验证字段必须具有匹配的 {field}_confirmation
字段。例如,如果被验证字段是 password
,则输入中必须存在匹配的 password_confirmation
字段。
您还可以传递自定义确认字段名称。例如,confirmed:repeat_username
将期望字段 repeat_username
与被验证字段匹配。
contains:foo,bar,... (包含:foo,bar,...)
被验证字段必须是一个数组,其中包含所有给定的参数值。
current_password (当前密码)
被验证字段必须与已验证用户的密码匹配。您可以使用规则的第一个参数指定身份验证守卫。
1'password' => 'current_password:api'
date (日期)
被验证字段必须是根据 strtotime
PHP 函数的有效非相对日期。
date_equals:date (日期等于:date)
被验证字段必须等于给定日期。日期将传递到 PHP strtotime
函数中,以便转换为有效的 DateTime
实例。
date_format:format,... (日期格式:format,...)
被验证字段必须与给定的 formats (格式) 之一匹配。验证字段时,您应该使用 date (日期)
或 date_format (日期格式)
之一,而不是两者都用。此验证规则支持 PHP DateTime 类支持的所有格式。
为了方便起见,可以使用流畅的 date
规则构建器来构造基于日期的规则。
1use Illuminate\Validation\Rule;2 3'start_date' => [4 'required',5 Rule::date()->format('Y-m-d'),6],
decimal:min,max (小数:min,max)
被验证字段必须是数字,并且必须包含指定的小数位数。
1// Must have exactly two decimal places (9.99)...2'price' => 'decimal:2'3 4// Must have between 2 and 4 decimal places...5'price' => 'decimal:2,4'
declined (拒绝)
被验证字段必须是 "no"
, "off"
, 0
, "0"
, false
, 或 "false"
。
declined_if:anotherfield,value,... (如果拒绝则必需:anotherfield,value,...)
如果另一个被验证字段等于指定值,则被验证字段必须是 "no"
, "off"
, 0
, "0"
, false
, 或 "false"
。
different:field (不同:field)
被验证字段的值必须与 field (字段) 的值不同。
digits:value (位数:value)
被验证的整数必须具有 value (值) 的确切长度。
digits_between:min,max (位数介于:min,max)
整数验证的长度必须在给定的 min 和 max 之间。
dimensions (尺寸)
被验证的文件必须是满足规则参数指定的尺寸约束的图像。
1'avatar' => 'dimensions:min_width=100,min_height=200'
可用的约束包括:min_width (最小宽度), max_width (最大宽度), min_height (最小高度), max_height (最大高度), width (宽度), height (高度), ratio (比例)。
ratio (比例) 约束应表示为宽度除以高度。这可以用分数(如 3/2
)或浮点数(如 1.5
)指定。
1'avatar' => 'dimensions:ratio=3/2'
由于此规则需要多个参数,因此通常更方便使用 Rule::dimensions
方法以流畅的方式构造规则。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3 4Validator::make($data, [ 5 'avatar' => [ 6 'required', 7 Rule::dimensions() 8 ->maxWidth(1000) 9 ->maxHeight(500)10 ->ratio(3 / 2),11 ],12]);
distinct (不重复)
验证数组时,被验证字段不得有任何重复值。
1'foo.*.id' => 'distinct'
默认情况下,Distinct (不重复) 使用松散变量比较。要使用严格比较,您可以将 strict
参数添加到验证规则定义中。
1'foo.*.id' => 'distinct:strict'
您可以将 ignore_case
添加到验证规则的参数中,以使规则忽略大小写差异。
1'foo.*.id' => 'distinct:ignore_case'
doesnt_start_with:foo,bar,... (不以...开头:foo,bar,...)
被验证字段不得以给定的值之一开头。
doesnt_end_with:foo,bar,... (不以...结尾:foo,bar,...)
被验证字段不得以给定的值之一结尾。
email (电子邮件)
被验证字段必须格式化为电子邮件地址。此验证规则使用 egulias/email-validator
包来验证电子邮件地址。默认情况下,应用 RFCValidation
验证器,但您也可以应用其他验证样式。
1'email' => 'email:rfc,dns'
上面的示例将应用 RFCValidation
和 DNSCheckValidation
验证。以下是您可以应用的所有验证样式列表:
rfc
:RFCValidation
- 根据 RFC 5322 验证电子邮件地址。strict
:NoRFCWarningsValidation
- 根据 RFC 5322 验证电子邮件,拒绝尾随句点或多个连续句点。dns
:DNSCheckValidation
- 确保电子邮件地址的域具有有效的 MX 记录。spoof
:SpoofCheckValidation
- 确保电子邮件地址不包含同形异义字或欺骗性 Unicode 字符。filter
:FilterEmailValidation
- 确保电子邮件地址根据 PHP 的filter_var
函数有效。filter_unicode
:FilterEmailValidation::unicode()
- 确保电子邮件地址根据 PHP 的filter_var
函数有效,允许一些 Unicode 字符。
为了方便起见,可以使用流畅的规则构建器构建电子邮件验证规则。
1use Illuminate\Validation\Rule; 2 3$request->validate([ 4 'email' => [ 5 'required', 6 Rule::email() 7 ->rfcCompliant(strict: false) 8 ->validateMxRecord() 9 ->preventSpoofing()10 ],11]);
dns
和 spoof
验证器需要 PHP intl
扩展。
ends_with:foo,bar,... (以...结尾:foo,bar,...)
被验证字段必须以给定的值之一结尾。
enum (枚举)
Enum (枚举)
规则是基于类的规则,用于验证被验证字段是否包含有效的枚举值。 Enum (枚举)
规则接受枚举的名称作为其唯一的构造函数参数。验证原始值时,应将支持的枚举提供给 Enum (枚举)
规则。
1use App\Enums\ServerStatus;2use Illuminate\Validation\Rule;3 4$request->validate([5 'status' => [Rule::enum(ServerStatus::class)],6]);
Enum (枚举)
规则的 only (仅)
和 except (排除)
方法可用于限制应被视为有效的枚举案例。
1Rule::enum(ServerStatus::class)2 ->only([ServerStatus::Pending, ServerStatus::Active]);3 4Rule::enum(ServerStatus::class)5 ->except([ServerStatus::Pending, ServerStatus::Active]);
when (当)
方法可用于有条件地修改 Enum (枚举)
规则。
1use Illuminate\Support\Facades\Auth;2use Illuminate\Validation\Rule;3 4Rule::enum(ServerStatus::class)5 ->when(6 Auth::user()->isAdmin(),7 fn ($rule) => $rule->only(...),8 fn ($rule) => $rule->only(...),9 );
exclude (排除)
被验证字段将从 validate (验证)
和 validated (已验证)
方法返回的请求数据中排除。
exclude_if:anotherfield,value (如果排除:anotherfield,value)
如果 anotherfield (另一个字段) 字段等于 value (值),则被验证字段将从 validate (验证)
和 validated (已验证)
方法返回的请求数据中排除。
如果需要复杂的条件排除逻辑,您可以利用 Rule::excludeIf
方法。此方法接受布尔值或闭包。当给定闭包时,闭包应返回 true
或 false
以指示是否应排除被验证字段。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3 4Validator::make($request->all(), [ 5 'role_id' => Rule::excludeIf($request->user()->is_admin), 6]); 7 8Validator::make($request->all(), [ 9 'role_id' => Rule::excludeIf(fn () => $request->user()->is_admin),10]);
exclude_unless:anotherfield,value (除非排除:anotherfield,value)
除非 anotherfield (另一个字段) 字段等于 value (值),否则被验证字段将从 validate (验证)
和 validated (已验证)
方法返回的请求数据中排除。如果 value (值) 为 null
(exclude_unless:name,null
),则除非比较字段为 null
或比较字段在请求数据中缺失,否则将排除被验证字段。
exclude_with:anotherfield (与...一起排除:anotherfield)
如果 anotherfield (另一个字段) 字段存在,则被验证字段将从 validate (验证)
和 validated (已验证)
方法返回的请求数据中排除。
exclude_without:anotherfield (没有...排除:anotherfield)
如果 anotherfield (另一个字段) 字段不存在,则被验证字段将从 validate (验证)
和 validated (已验证)
方法返回的请求数据中排除。
exists:table,column (存在:table,column)
被验证字段必须存在于给定的数据库表中。
Exists (存在) 规则的基本用法
1'state' => 'exists:states'
如果未指定 column (列)
选项,将使用字段名称。因此,在这种情况下,该规则将验证 states (州)
数据库表是否包含一条记录,其 state (州)
列值与请求的 state (州)
属性值匹配。
指定自定义列名
您可以在数据库表名称后显式指定验证规则应使用的数据库列名称。
1'state' => 'exists:states,abbreviation'
有时,您可能需要指定用于 exists (存在)
查询的特定数据库连接。您可以通过将连接名称添加到表名称前面来实现此目的。
1'email' => 'exists:connection.staff,email'
您可以指定应使用的 Eloquent 模型来确定表名,而不是直接指定表名。
1'user_id' => 'exists:App\Models\User,id'
如果您想自定义验证规则执行的查询,可以使用 Rule (规则)
类以流畅的方式定义规则。在此示例中,我们还将验证规则指定为数组,而不是使用 |
字符分隔它们。
1use Illuminate\Database\Query\Builder; 2use Illuminate\Support\Facades\Validator; 3use Illuminate\Validation\Rule; 4 5Validator::make($data, [ 6 'email' => [ 7 'required', 8 Rule::exists('staff')->where(function (Builder $query) { 9 $query->where('account_id', 1);10 }),11 ],12]);
您可以通过将列名称作为 exists (存在)
方法的第二个参数提供,来显式指定 Rule::exists
方法生成的 exists (存在)
规则应使用的数据库列名称。
1'state' => Rule::exists('states', 'abbreviation'),
extensions:foo,bar,... (扩展名:foo,bar,...)
被验证文件必须具有与列出的扩展名之一对应的用户分配的扩展名。
1'photo' => ['required', 'extensions:jpg,png'],
您永远不应仅仅依靠验证文件的用户分配扩展名。此规则通常应始终与 mimes (MIME 类型)
或 mimetypes (MIME 类型)
规则结合使用。
file (文件)
被验证字段必须是成功上传的文件。
filled (已填充)
当被验证字段存在时,它不能为空。
gt:field (大于:field)
被验证字段必须大于给定的 field (字段) 或 value (值)。两个字段必须是相同的类型。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则的约定相同。
gte:field (大于等于:field)
被验证字段必须大于或等于给定的 field (字段) 或 value (值)。两个字段必须是相同的类型。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则的约定相同。
hex_color (十六进制颜色)
被验证字段必须包含 十六进制 格式的有效颜色值。
image (图像)
被验证文件必须是图像 (jpg, jpeg, png, bmp, gif, 或 webp)。
默认情况下,由于存在 XSS 漏洞的可能性,图像规则不允许 SVG 文件。如果您需要允许 SVG 文件,您可以为 image (图像)
规则提供 allow_svg
指令 (image:allow_svg
)。
in:foo,bar,... (在...中:foo,bar,...)
被验证字段必须包含在给定的值列表中。由于此规则通常需要您 implode (内爆)
一个数组,因此可以使用 Rule::in
方法以流畅的方式构造规则。
1use Illuminate\Support\Facades\Validator;2use Illuminate\Validation\Rule;3 4Validator::make($data, [5 'zones' => [6 'required',7 Rule::in(['first-zone', 'second-zone']),8 ],9]);
当 in (在...中)
规则与 array (数组)
规则结合使用时,输入数组中的每个值都必须存在于提供给 in (在...中)
规则的值列表中。在以下示例中,输入数组中的 LAS
机场代码无效,因为它不包含在提供给 in (在...中)
规则的机场列表中。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3 4$input = [ 5 'airports' => ['NYC', 'LAS'], 6]; 7 8Validator::make($input, [ 9 'airports' => [10 'required',11 'array',12 ],13 'airports.*' => Rule::in(['NYC', 'LIT']),14]);
in_array:anotherfield.* (在数组中:anotherfield.*)
被验证字段必须存在于 anotherfield (另一个字段) 的值中。
integer (整数)
被验证字段必须是整数。
此验证规则不验证输入是否为“整数”变量类型,仅验证输入是否为 PHP 的 FILTER_VALIDATE_INT
规则接受的类型。如果您需要验证输入是否为数字,请将此规则与 numeric (数值)
验证规则 结合使用。
ip (IP 地址)
被验证字段必须是 IP 地址。
ipv4 (IPv4)
被验证字段必须是 IPv4 地址。
ipv6 (IPv6)
被验证字段必须是 IPv6 地址。
json (JSON)
被验证字段必须是有效的 JSON 字符串。
lt:field (小于:field)
被验证字段必须小于给定的 field (字段)。两个字段必须是相同的类型。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则的约定相同。
lte:field (小于等于:field)
被验证字段必须小于或等于给定的 field (字段)。两个字段必须是相同的类型。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则的约定相同。
lowercase (小写)
被验证字段必须是小写。
list (列表)
被验证字段必须是一个数组,并且是一个列表。如果数组的键由从 0 到 count($array) - 1
的连续数字组成,则该数组被视为列表。
mac_address (MAC 地址)
被验证字段必须是 MAC 地址。
max:value (最大值:value)
被验证字段必须小于或等于最大 value (值)。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则相同。
max_digits:value (最大位数:value)
被验证的整数必须具有最大长度 value (值)。
mimetypes:text/plain,... (MIME 类型:text/plain,...)
被验证文件必须与给定的 MIME 类型之一匹配。
1'video' => 'mimetypes:video/avi,video/mpeg,video/quicktime'
为了确定上传文件的 MIME 类型,将读取文件的内容,框架将尝试猜测 MIME 类型,这可能与客户端提供的 MIME 类型不同。
mimes:foo,bar,... (MIME 类型:foo,bar,...)
被验证文件必须具有与列出的扩展名之一对应的 MIME 类型。
1'photo' => 'mimes:jpg,bmp,png'
即使您只需要指定扩展名,此规则实际上是通过读取文件的内容并猜测其 MIME 类型来验证文件的 MIME 类型。MIME 类型及其对应扩展名的完整列表可以在以下位置找到:
https://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types
MIME 类型和扩展名
此验证规则不验证 MIME 类型与用户分配给文件的扩展名之间的一致性。例如,mimes:png
验证规则会将包含有效 PNG 内容的文件视为有效的 PNG 图像,即使该文件名为 photo.txt
。如果您想验证文件的用户分配扩展名,可以使用 extensions (扩展名)
规则。
min:value (最小值:value)
被验证字段必须具有最小 value (值)。字符串、数字、数组和文件的评估方式与 size (尺寸)
规则相同。
min_digits:value (最小位数:value)
被验证的整数必须具有最小长度 value (值)。
multiple_of:value (倍数:value)
被验证字段必须是 value (值) 的倍数。
missing (缺失)
被验证字段不得出现在输入数据中。
missing_if:anotherfield,value,... (如果缺失:anotherfield,value,...)
如果 anotherfield (另一个字段) 字段等于任何 value (值),则被验证字段不得出现。
missing_unless:anotherfield,value (除非缺失:anotherfield,value)
除非 anotherfield (另一个字段) 字段等于任何 value (值),否则被验证字段不得出现。
missing_with:foo,bar,... (与...一起缺失:foo,bar,...)
仅当 任何其他指定字段出现时,被验证字段才不得出现。
missing_with_all:foo,bar,... (与所有...一起缺失:foo,bar,...)
仅当 所有其他指定字段都出现时,被验证字段才不得出现。
not_in:foo,bar,... (不在...中:foo,bar,...)
被验证字段不得包含在给定的值列表中。可以使用 Rule::notIn
方法以流畅的方式构造规则。
1use Illuminate\Validation\Rule;2 3Validator::make($data, [4 'toppings' => [5 'required',6 Rule::notIn(['sprinkles', 'cherries']),7 ],8]);
not_regex:pattern (非正则表达式:pattern)
被验证字段不得与给定的正则表达式匹配。
在内部,此规则使用 PHP preg_match
函数。指定的模式应遵守 preg_match
所需的相同格式,因此也包括有效的分隔符。例如:'email' => 'not_regex:/^.+$/i'
。
当使用 regex (正则表达式)
/ not_regex (非正则表达式)
模式时,可能需要使用数组而不是使用 |
分隔符来指定验证规则,尤其是在正则表达式包含 |
字符的情况下。
nullable (可为空)
被验证字段可以为 null
。
numeric (数值)
被验证字段必须是数值。
present (存在)
被验证字段必须存在于输入数据中。
present_if:anotherfield,value,... (如果存在:anotherfield,value,...)
如果 anotherfield (另一个字段) 字段等于任何 value (值),则被验证字段必须存在。
present_unless:anotherfield,value (除非存在:anotherfield,value)
除非 anotherfield (另一个字段) 字段等于任何 value (值),否则被验证字段必须存在。
present_with:foo,bar,... (与...一起存在:foo,bar,...)
仅当 任何其他指定字段出现时,被验证字段才必须存在。
present_with_all:foo,bar,... (与所有...一起存在:foo,bar,...)
仅当 所有其他指定字段都出现时,被验证字段才必须存在。
prohibited (禁止)
被验证字段必须缺失或为空。“空”字段满足以下条件之一:
- 该值为
null
。 - 该值为空字符串。
- 该值为空数组或空
Countable (可计数)
对象。 - 该值是路径为空的上传文件。
prohibited_if:anotherfield,value,... (如果禁止:anotherfield,value,...)
如果 anotherfield (另一个字段) 字段等于任何 value (值),则被验证字段必须缺失或为空。“空”字段满足以下条件之一:
- 该值为
null
。 - 该值为空字符串。
- 该值为空数组或空
Countable (可计数)
对象。 - 该值是路径为空的上传文件。
如果需要复杂的条件禁止逻辑,您可以利用 Rule::prohibitedIf
方法。此方法接受布尔值或闭包。当给定闭包时,闭包应返回 true
或 false
以指示是否应禁止被验证字段。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3 4Validator::make($request->all(), [ 5 'role_id' => Rule::prohibitedIf($request->user()->is_admin), 6]); 7 8Validator::make($request->all(), [ 9 'role_id' => Rule::prohibitedIf(fn () => $request->user()->is_admin),10]);
prohibited_unless:anotherfield,value,... (除非禁止:anotherfield,value,...)
除非 anotherfield (另一个字段) 字段等于任何 value (值),否则被验证字段必须缺失或为空。“空”字段满足以下条件之一:
- 该值为
null
。 - 该值为空字符串。
- 该值为空数组或空
Countable (可计数)
对象。 - 该值是路径为空的上传文件。
prohibits:anotherfield,... (禁止...:anotherfield,...)
如果被验证字段不缺失或为空,则 anotherfield (另一个字段) 中的所有字段都必须缺失或为空。“空”字段满足以下条件之一:
- 该值为
null
。 - 该值为空字符串。
- 该值为空数组或空
Countable (可计数)
对象。 - 该值是路径为空的上传文件。
regex:pattern (正则表达式:pattern)
被验证字段必须与给定的正则表达式匹配。
在内部,此规则使用 PHP preg_match
函数。指定的模式应遵守 preg_match
所需的相同格式,因此也包括有效的分隔符。例如:'email' => 'regex:/^.+@.+$/i'
。
当使用 regex (正则表达式)
/ not_regex (非正则表达式)
模式时,可能需要使用数组而不是使用 |
分隔符来指定规则,尤其是在正则表达式包含 |
字符的情况下。
required (必需)
被验证字段必须存在于输入数据中且不为空。“空”字段满足以下条件之一:
- 该值为
null
。 - 该值为空字符串。
- 该值为空数组或空
Countable (可计数)
对象。 - 该值是没有路径的上传文件。
required_if:anotherfield,value,... (如果必需:anotherfield,value,...)
如果 anotherfield (另一个字段) 字段等于任何 value (值),则被验证字段必须存在且不为空。
如果您想为 required_if (如果必需)
规则构建更复杂的条件,可以使用 Rule::requiredIf
方法。此方法接受布尔值或闭包。当传递闭包时,闭包应返回 true
或 false
以指示是否需要被验证字段。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3 4Validator::make($request->all(), [ 5 'role_id' => Rule::requiredIf($request->user()->is_admin), 6]); 7 8Validator::make($request->all(), [ 9 'role_id' => Rule::requiredIf(fn () => $request->user()->is_admin),10]);
required_if_accepted:anotherfield,... (如果接受则必需:anotherfield,...)
如果 anotherfield (另一个字段) 字段等于 "yes"
, "on"
, 1
, "1"
, true
, 或 "true"
,则被验证字段必须存在且不为空。
required_if_declined:anotherfield,... (如果拒绝则必需:anotherfield,...)
如果 anotherfield (另一个字段) 字段等于 "no"
, "off"
, 0
, "0"
, false
, 或 "false"
,则被验证字段必须存在且不为空。
required_unless:anotherfield,value,... (除非必需:anotherfield,value,...)
除非 anotherfield (另一个字段) 字段等于任何 value (值),否则被验证字段必须存在且不为空。这也意味着 anotherfield (另一个字段) 必须存在于请求数据中,除非 value (值) 为 null
。如果 value (值) 为 null
(required_unless:name,null
),则除非比较字段为 null
或比较字段在请求数据中缺失,否则被验证字段将是必需的。
required_with:foo,bar,... (与...一起必需:foo,bar,...)
仅当 任何其他指定字段存在且不为空时,被验证字段才必须存在且不为空。
required_with_all:foo,bar,... (与所有...一起必需:foo,bar,...)
仅当 所有其他指定字段都存在且不为空时,被验证字段才必须存在且不为空。
required_without:foo,bar,... (没有...必需:foo,bar,...)
仅当 任何其他指定字段为空或不存在时,被验证字段才必须存在且不为空。
required_without_all:foo,bar,... (没有所有...必需:foo,bar,...)
仅当 所有其他指定字段都为空或不存在时,被验证字段才必须存在且不为空。
required_array_keys:foo,bar,... (必需的数组键:foo,bar,...)
被验证字段必须是一个数组,并且必须至少包含指定的键。
same:field (相同:field)
给定的 field (字段) 必须与被验证字段匹配。
size:value (尺寸:value)
被验证字段必须具有与给定 value (值) 匹配的尺寸。对于字符串数据,value (值) 对应于字符数。对于数字数据,value (值) 对应于给定的整数值(该属性也必须具有 numeric (数值)
或 integer (整数)
规则)。对于数组,size (尺寸) 对应于数组的 count (计数)
。对于文件,size (尺寸) 对应于文件大小(以千字节为单位)。让我们看一些例子:
1// Validate that a string is exactly 12 characters long... 2'title' => 'size:12'; 3 4// Validate that a provided integer equals 10... 5'seats' => 'integer|size:10'; 6 7// Validate that an array has exactly 5 elements... 8'tags' => 'array|size:5'; 9 10// Validate that an uploaded file is exactly 512 kilobytes...11'image' => 'file|size:512';
starts_with:foo,bar,... (以...开头:foo,bar,...)
被验证字段必须以给定的值之一开头。
string (字符串)
被验证字段必须是字符串。如果您希望允许该字段也为 null
,则应将 nullable (可为空)
规则分配给该字段。
timezone (时区)
被验证字段必须是根据 DateTimeZone::listIdentifiers
方法的有效时区标识符。
DateTimeZone::listIdentifiers
方法接受的参数也可以提供给此验证规则。
1'timezone' => 'required|timezone:all';2 3'timezone' => 'required|timezone:Africa';4 5'timezone' => 'required|timezone:per_country,US';
unique:table,column (唯一:table,column)
被验证字段不得存在于给定的数据库表中。
指定自定义表/列名
您可以指定应使用的 Eloquent 模型来确定表名,而不是直接指定表名。
1'email' => 'unique:App\Models\User,email_address'
column (列)
选项可用于指定字段对应的数据库列。如果未指定 column (列)
选项,将使用被验证字段的名称。
1'email' => 'unique:users,email_address'
指定自定义数据库连接
有时,您可能需要为验证器执行的数据库查询设置自定义连接。为此,您可以将连接名称添加到表名称前面。
1'email' => 'unique:connection.users,email_address'
强制 Unique (唯一) 规则忽略给定的 ID
有时,您可能希望在唯一性验证期间忽略给定的 ID。例如,考虑一个“更新个人资料”屏幕,其中包含用户的姓名、电子邮件地址和位置。您可能需要验证电子邮件地址是否唯一。但是,如果用户仅更改姓名字段而不是电子邮件字段,则您不希望因为用户已经是相关电子邮件地址的所有者而抛出验证错误。
为了指示验证器忽略用户的 ID,我们将使用 Rule (规则)
类以流畅的方式定义规则。在此示例中,我们还将验证规则指定为数组,而不是使用 |
字符分隔规则。
1use Illuminate\Support\Facades\Validator;2use Illuminate\Validation\Rule;3 4Validator::make($data, [5 'email' => [6 'required',7 Rule::unique('users')->ignore($user->id),8 ],9]);
您永远不应将任何用户控制的请求输入传递到 ignore (忽略)
方法中。相反,您应该仅传递系统生成的唯一 ID,例如来自 Eloquent 模型实例的自动递增 ID 或 UUID。否则,您的应用程序将容易受到 SQL 注入攻击。
除了将模型键的值传递给 ignore (忽略)
方法之外,您还可以传递整个模型实例。Laravel 将自动从模型中提取键。
1Rule::unique('users')->ignore($user)
如果您的表使用除 id
之外的主键列名,您可以在调用 ignore (忽略)
方法时指定列的名称。
1Rule::unique('users')->ignore($user->id, 'user_id')
默认情况下,unique (唯一)
规则将检查与正在验证的属性名称匹配的列的唯一性。但是,您可以将不同的列名作为 unique (唯一)
方法的第二个参数传递。
1Rule::unique('users', 'email_address')->ignore($user->id)
添加额外的 Where (Where 条件) 子句
您可以通过使用 where (where 条件)
方法自定义查询来指定其他查询条件。例如,让我们添加一个查询条件,将查询范围限定为仅搜索 account_id (帐户 ID)
列值为 1
的记录。
1'email' => Rule::unique('users')->where(fn (Builder $query) => $query->where('account_id', 1))
在 Unique (唯一) 检查中忽略软删除的记录
默认情况下,unique (唯一) 规则在确定唯一性时包括软删除的记录。要从唯一性检查中排除软删除的记录,您可以调用 withoutTrashed (不包含已软删除的)
方法。
1Rule::unique('users')->withoutTrashed();
如果您的模型对软删除记录使用除 deleted_at
之外的列名,您可以在调用 withoutTrashed (不包含已软删除的)
方法时提供列名。
1Rule::unique('users')->withoutTrashed('was_deleted_at');
uppercase (大写)
被验证字段必须是大写。
url (URL)
被验证字段必须是有效的 URL。
如果您想指定应被视为有效的 URL 协议,您可以将协议作为验证规则参数传递。
1'url' => 'url:http,https',2 3'game' => 'url:minecraft,steam',
ulid (ULID)
被验证字段必须是有效的 Universally Unique Lexicographically Sortable Identifier (通用唯一词典排序标识符) (ULID)。
uuid (UUID)
被验证字段必须是有效的 RFC 9562 (版本 1, 3, 4, 5, 6, 7, 或 8) universally unique identifier (通用唯一标识符) (UUID)。
您还可以验证给定的 UUID 是否与按版本的 UUID 规范匹配。
1'uuid' => 'uuid:4'
有条件地添加规则
当字段具有某些值时跳过验证
有时您可能希望在另一个字段具有给定值时,不验证某个给定的字段。您可以使用 exclude_if
验证规则来实现这一点。在本例中,如果 has_appointment
字段的值为 false
,则 appointment_date
和 doctor_name
字段将不会被验证。
1use Illuminate\Support\Facades\Validator;2 3$validator = Validator::make($data, [4 'has_appointment' => 'required|boolean',5 'appointment_date' => 'exclude_if:has_appointment,false|required|date',6 'doctor_name' => 'exclude_if:has_appointment,false|required|string',7]);
或者,您可以使用 exclude_unless
规则,除非另一个字段具有给定值,否则不验证给定的字段。
1$validator = Validator::make($data, [2 'has_appointment' => 'required|boolean',3 'appointment_date' => 'exclude_unless:has_appointment,true|required|date',4 'doctor_name' => 'exclude_unless:has_appointment,true|required|string',5]);
仅在存在时验证
在某些情况下,您可能希望仅当要验证的字段存在于数据中时,才对该字段运行验证检查。要快速实现这一点,请将 sometimes
规则添加到您的规则列表中。
1$validator = Validator::make($data, [2 'email' => 'sometimes|required|email',3]);
在上面的示例中,email
字段将仅在其存在于 $data
数组中时才被验证。
如果您尝试验证一个应该始终存在但可能为空的字段,请查看关于可选字段的注释。
复杂的条件验证
有时您可能希望基于更复杂的条件逻辑添加验证规则。例如,您可能希望仅当另一个字段的值大于 100 时才要求某个给定的字段。或者,您可能需要两个字段仅在另一个字段存在时才具有给定值。添加这些验证规则不必很麻烦。首先,使用您的 *静态规则*(永不更改的规则)创建一个 Validator
实例。
1use Illuminate\Support\Facades\Validator;2 3$validator = Validator::make($request->all(), [4 'email' => 'required|email',5 'games' => 'required|numeric',6]);
假设我们的 Web 应用程序是为游戏收藏家设计的。如果一个游戏收藏家在我们的应用程序上注册,并且他们拥有超过 100 个游戏,我们希望他们解释为什么他们拥有这么多游戏。例如,也许他们经营一家游戏转售商店,或者他们只是喜欢收集游戏。为了有条件地添加此要求,我们可以使用 Validator
实例上的 sometimes
方法。
1use Illuminate\Support\Fluent;2 3$validator->sometimes('reason', 'required|max:500', function (Fluent $input) {4 return $input->games >= 100;5});
传递给 sometimes
方法的第一个参数是我们有条件验证的字段的名称。第二个参数是我们想要添加的规则列表。如果作为第三个参数传递的闭包返回 true
,则将添加这些规则。此方法使构建复杂的条件验证变得轻而易举。您甚至可以一次为多个字段添加条件验证。
1$validator->sometimes(['reason', 'cost'], 'required', function (Fluent $input) {2 return $input->games >= 100;3});
传递给您的闭包的 $input
参数将是 Illuminate\Support\Fluent
的一个实例,可以用于访问您的输入和正在验证的文件。
复杂的条件数组验证
有时您可能想要基于同一嵌套数组中的另一个字段来验证一个字段,但您不知道该字段的索引。在这些情况下,您可以允许您的闭包接收第二个参数,这将是正在验证的数组中的当前单个项。
1$input = [ 2 'channels' => [ 3 [ 4 'type' => 'email', 6 ], 7 [ 8 'type' => 'url', 9 'address' => 'https://example.com',10 ],11 ],12];13 14$validator->sometimes('channels.*.address', 'email', function (Fluent $input, Fluent $item) {15 return $item->type === 'email';16});17 18$validator->sometimes('channels.*.address', 'url', function (Fluent $input, Fluent $item) {19 return $item->type !== 'email';20});
与传递给闭包的 $input
参数一样,当属性数据是一个数组时,$item
参数是 Illuminate\Support\Fluent
的一个实例;否则,它是一个字符串。
验证数组
正如在array
验证规则文档中讨论的那样,array
规则接受允许的数组键列表。如果数组中存在任何额外的键,验证将失败。
1use Illuminate\Support\Facades\Validator; 2 3$input = [ 4 'user' => [ 5 'name' => 'Taylor Otwell', 6 'username' => 'taylorotwell', 7 'admin' => true, 8 ], 9];10 11Validator::make($input, [12 'user' => 'array:name,username',13]);
一般来说,您应该始终指定允许在数组中存在的数组键。否则,验证器的 validate
和 validated
方法将返回所有已验证的数据,包括数组及其所有键,即使这些键没有被其他嵌套数组验证规则验证。
验证嵌套数组输入
验证基于嵌套数组的表单输入字段不必很麻烦。您可以使用“点表示法”来验证数组中的属性。例如,如果传入的 HTTP 请求包含一个 photos[profile]
字段,您可以像这样验证它。
1use Illuminate\Support\Facades\Validator;2 3$validator = Validator::make($request->all(), [4 'photos.profile' => 'required|image',5]);
您也可以验证数组的每个元素。例如,要验证给定数组输入字段中的每个电子邮件都是唯一的,您可以执行以下操作。
1$validator = Validator::make($request->all(), [2 'person.*.email' => 'email|unique:users',3 'person.*.first_name' => 'required_with:person.*.last_name',4]);
同样,在语言文件中指定自定义验证消息时,您可以使用 *
字符,这使得为基于数组的字段使用单个验证消息变得轻而易举。
1'custom' => [2 'person.*.email' => [3 'unique' => 'Each person must have a unique email address',4 ]5],
访问嵌套数组数据
有时,在为属性分配验证规则时,您可能需要访问给定嵌套数组元素的值。您可以使用 Rule::forEach
方法来实现这一点。forEach
方法接受一个闭包,该闭包将在正在验证的数组属性的每次迭代中被调用,并将接收属性的值和显式的、完全展开的属性名称。闭包应返回要分配给数组元素的规则数组。
1use App\Rules\HasPermission; 2use Illuminate\Support\Facades\Validator; 3use Illuminate\Validation\Rule; 4 5$validator = Validator::make($request->all(), [ 6 'companies.*.id' => Rule::forEach(function (string|null $value, string $attribute) { 7 return [ 8 Rule::exists(Company::class, 'id'), 9 new HasPermission('manage-company', $value),10 ];11 }),12]);
错误消息索引和位置
在验证数组时,您可能希望在应用程序显示的错误消息中引用验证失败的特定项的索引或位置。为了实现这一点,您可以在您的自定义验证消息中包含 :index
(从 0
开始)和 :position
(从 1
开始)占位符。
1use Illuminate\Support\Facades\Validator; 2 3$input = [ 4 'photos' => [ 5 [ 6 'name' => 'BeachVacation.jpg', 7 'description' => 'A photo of my beach vacation!', 8 ], 9 [10 'name' => 'GrandCanyon.jpg',11 'description' => '',12 ],13 ],14];15 16Validator::validate($input, [17 'photos.*.description' => 'required',18], [19 'photos.*.description.required' => 'Please describe photo #:position.',20]);
鉴于上面的示例,验证将失败,并且用户将看到以下错误消息:“请描述照片 #2。”
如果需要,您可以通过 second-index
、second-position
、third-index
、third-position
等引用更深层嵌套的索引和位置。
1'photos.*.attributes.*.string' => 'Invalid attribute for photo #:second-position.',
验证文件
Laravel 提供了各种可用于验证上传文件的验证规则,例如 mimes
、image
、min
和 max
。虽然您可以自由地在验证文件时单独指定这些规则,但 Laravel 也提供了一个流畅的文件验证规则构建器,您可能会觉得它很方便。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rules\File; 3 4Validator::validate($input, [ 5 'attachment' => [ 6 'required', 7 File::types(['mp3', 'wav']) 8 ->min(1024) 9 ->max(12 * 1024),10 ],11]);
验证文件类型
即使您在调用 types
方法时只需要指定扩展名,但此方法实际上通过读取文件的内容并猜测其 MIME 类型来验证文件的 MIME 类型。MIME 类型及其对应扩展名的完整列表可以在以下位置找到。
https://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types
验证文件大小
为了方便起见,最小和最大文件大小可以指定为带有后缀的字符串,指示文件大小单位。支持 kb
、mb
、gb
和 tb
后缀。
1File::types(['mp3', 'wav'])2 ->min('1kb')3 ->max('10mb');
验证图像文件
如果您的应用程序接受用户上传的图像,您可以使用 File
规则的 image
构造方法来确保正在验证的文件是图像(jpg、jpeg、png、bmp、gif 或 webp)。
此外,dimensions
规则可用于限制图像的尺寸。
1use Illuminate\Support\Facades\Validator; 2use Illuminate\Validation\Rule; 3use Illuminate\Validation\Rules\File; 4 5Validator::validate($input, [ 6 'photo' => [ 7 'required', 8 File::image() 9 ->min(1024)10 ->max(12 * 1024)11 ->dimensions(Rule::dimensions()->maxWidth(1000)->maxHeight(500)),12 ],13]);
有关验证图像尺寸的更多信息,请参阅尺寸规则文档。
默认情况下,由于 XSS 漏洞的可能性,image
规则不允许 SVG 文件。如果您需要允许 SVG 文件,您可以将 allowSvg: true
传递给 image
规则:File::image(allowSvg: true)
。
验证图像尺寸
您也可以验证图像的尺寸。例如,要验证上传的图像宽度至少为 1000 像素,高度至少为 500 像素,您可以使用 dimensions
规则。
1use Illuminate\Validation\Rule;2use Illuminate\Validation\Rules\File;3 4File::image()->dimensions(5 Rule::dimensions()6 ->maxWidth(1000)7 ->maxHeight(500)8)
有关验证图像尺寸的更多信息,请参阅尺寸规则文档。
验证密码
为了确保密码具有足够的复杂度,您可以使用 Laravel 的 Password
规则对象。
1use Illuminate\Support\Facades\Validator;2use Illuminate\Validation\Rules\Password;3 4$validator = Validator::make($request->all(), [5 'password' => ['required', 'confirmed', Password::min(8)],6]);
Password
规则对象允许您轻松自定义应用程序的密码复杂度要求,例如指定密码至少需要一个字母、数字、符号或大小写混合的字符。
1// Require at least 8 characters... 2Password::min(8) 3 4// Require at least one letter... 5Password::min(8)->letters() 6 7// Require at least one uppercase and one lowercase letter... 8Password::min(8)->mixedCase() 9 10// Require at least one number...11Password::min(8)->numbers()12 13// Require at least one symbol...14Password::min(8)->symbols()
此外,您可以使用 uncompromised
方法确保密码没有在公共密码数据泄露事件中泄露。
1Password::min(8)->uncompromised()
在内部,Password
规则对象使用 k-匿名模型来确定密码是否已通过 haveibeenpwned.com 服务泄露,而不会牺牲用户的隐私或安全。
默认情况下,如果密码在数据泄露事件中出现至少一次,则将被视为已泄露。您可以使用 uncompromised
方法的第一个参数自定义此阈值。
1// Ensure the password appears less than 3 times in the same data leak...2Password::min(8)->uncompromised(3);
当然,您可以链式调用上面示例中的所有方法。
1Password::min(8)2 ->letters()3 ->mixedCase()4 ->numbers()5 ->symbols()6 ->uncompromised()
定义默认密码规则
您可能会发现在应用程序的单个位置指定密码的默认验证规则很方便。您可以使用 Password::defaults
方法轻松实现这一点,该方法接受一个闭包。传递给 defaults
方法的闭包应返回 Password 规则的默认配置。通常,defaults
规则应在您的应用程序的服务提供商之一的 boot
方法中调用。
1use Illuminate\Validation\Rules\Password; 2 3/** 4 * Bootstrap any application services. 5 */ 6public function boot(): void 7{ 8 Password::defaults(function () { 9 $rule = Password::min(8);10 11 return $this->app->isProduction()12 ? $rule->mixedCase()->uncompromised()13 : $rule;14 });15}
然后,当您想要将默认规则应用于正在验证的特定密码时,您可以调用不带参数的 defaults
方法。
1'password' => ['required', Password::defaults()],
有时,您可能想要将额外的验证规则附加到您的默认密码验证规则。您可以使用 rules
方法来实现这一点。
1use App\Rules\ZxcvbnRule;2 3Password::defaults(function () {4 $rule = Password::min(8)->rules([new ZxcvbnRule]);5 6 // ...7});
自定义验证规则
使用 Rule 对象
Laravel 提供了各种有用的验证规则;但是,您可能希望指定一些您自己的规则。注册自定义验证规则的一种方法是使用规则对象。要生成新的规则对象,您可以使用 make:rule
Artisan 命令。让我们使用此命令生成一个验证字符串是否为大写的规则。Laravel 将把新规则放在 app/Rules
目录中。如果此目录不存在,Laravel 将在您执行 Artisan 命令创建规则时创建它。
1php artisan make:rule Uppercase
创建规则后,我们就可以定义其行为了。规则对象包含一个方法:validate
。此方法接收属性名称、其值和一个回调,该回调应在验证失败时使用验证错误消息调用。
1<?php 2 3namespace App\Rules; 4 5use Closure; 6use Illuminate\Contracts\Validation\ValidationRule; 7 8class Uppercase implements ValidationRule 9{10 /**11 * Run the validation rule.12 */13 public function validate(string $attribute, mixed $value, Closure $fail): void14 {15 if (strtoupper($value) !== $value) {16 $fail('The :attribute must be uppercase.');17 }18 }19}
定义规则后,您可以通过将规则对象的实例与您的其他验证规则一起传递,将其附加到验证器。
1use App\Rules\Uppercase;2 3$request->validate([4 'name' => ['required', 'string', new Uppercase],5]);
翻译验证消息
除了向 $fail
闭包提供文字错误消息之外,您还可以提供一个翻译字符串键,并指示 Laravel 翻译错误消息。
1if (strtoupper($value) !== $value) {2 $fail('validation.uppercase')->translate();3}
如果需要,您可以将占位符替换项和首选语言作为 translate
方法的第一个和第二个参数提供。
1$fail('validation.location')->translate([2 'value' => $this->value,3], 'fr')
访问附加数据
如果您的自定义验证规则类需要访问所有正在验证的其他数据,您的规则类可以实现 Illuminate\Contracts\Validation\DataAwareRule
接口。此接口要求您的类定义一个 setData
方法。Laravel 将自动调用此方法(在验证进行之前),并将所有正在验证的数据传递给它。
1<?php 2 3namespace App\Rules; 4 5use Illuminate\Contracts\Validation\DataAwareRule; 6use Illuminate\Contracts\Validation\ValidationRule; 7 8class Uppercase implements DataAwareRule, ValidationRule 9{10 /**11 * All of the data under validation.12 *13 * @var array<string, mixed>14 */15 protected $data = [];16 17 // ...18 19 /**20 * Set the data under validation.21 *22 * @param array<string, mixed> $data23 */24 public function setData(array $data): static25 {26 $this->data = $data;27 28 return $this;29 }30}
或者,如果您的验证规则需要访问执行验证的验证器实例,您可以实现 ValidatorAwareRule
接口。
1<?php 2 3namespace App\Rules; 4 5use Illuminate\Contracts\Validation\ValidationRule; 6use Illuminate\Contracts\Validation\ValidatorAwareRule; 7use Illuminate\Validation\Validator; 8 9class Uppercase implements ValidationRule, ValidatorAwareRule10{11 /**12 * The validator instance.13 *14 * @var \Illuminate\Validation\Validator15 */16 protected $validator;17 18 // ...19 20 /**21 * Set the current validator.22 */23 public function setValidator(Validator $validator): static24 {25 $this->validator = $validator;26 27 return $this;28 }29}
使用闭包
如果您只需要在整个应用程序中使用一次自定义规则的功能,您可以使用闭包而不是规则对象。闭包接收属性的名称、属性的值和一个 $fail
回调,如果验证失败,则应调用该回调。
1use Illuminate\Support\Facades\Validator; 2use Closure; 3 4$validator = Validator::make($request->all(), [ 5 'title' => [ 6 'required', 7 'max:255', 8 function (string $attribute, mixed $value, Closure $fail) { 9 if ($value === 'foo') {10 $fail("The {$attribute} is invalid.");11 }12 },13 ],14]);
隐式规则
默认情况下,当正在验证的属性不存在或包含空字符串时,正常的验证规则(包括自定义规则)不会运行。例如,unique
规则不会针对空字符串运行。
1use Illuminate\Support\Facades\Validator;2 3$rules = ['name' => 'unique:users,name'];4 5$input = ['name' => ''];6 7Validator::make($input, $rules)->passes(); // true
为了使自定义规则即使在属性为空时也能运行,该规则必须暗示该属性是必需的。要快速生成新的隐式规则对象,您可以使用带有 --implicit
选项的 make:rule
Artisan 命令。
1php artisan make:rule Uppercase --implicit
“隐式”规则仅*暗示*该属性是必需的。它是否真的使缺失或空属性无效取决于您。