我已经创建了一个登记表,农民将输入他的姓名。名称可能包含连字符或空格。验证规则写在app/http/requests/farmerRequest.php
文件中:
public function rules()
{
return [
'name' => 'required|alpha',
'email' => 'email|unique:users,email',
'password' => 'required',
'phone' => 'required|numeric',
'address' => 'required|min:5',
];
}
但问题是name
字段由于alpha
规则而不允许任何空格。 name
字段为varchar(255) collation utf8_unicode_ci
。
我该怎么办,以便用户可以用空格输入他的名字?
答案 0 :(得分:33)
您可以使用只允许字母,连字符和空格的Regular Expression Rule:
public function rules()
{
return [
'name' => 'required|regex:/^[\pL\s\-]+$/u',
'email' => 'email|unique:users,email',
'password' => 'required',
'phone' => 'required|numeric',
'address' => 'required|min:5',
];
}
答案 1 :(得分:29)
您可以为此创建自定义验证规则,因为这是一个非常常见的规则,您可能希望在应用的其他部分(或者可能在您的下一个项目中)使用。
app / Providers / AppServiceProvider.php 上的
/**
* Bootstrap any application services.
*
* @return void
*/
public function boot()
{
//Add this custom validation rule.
Validator::extend('alpha_spaces', function ($attribute, $value) {
// This will only accept alpha and spaces.
// If you want to accept hyphens use: /^[\pL\s-]+$/u.
return preg_match('/^[\pL\s]+$/u', $value);
});
}
在 resources / lang / en /validation.php
中定义自定义验证消息return [
/*
|--------------------------------------------------------------------------
| Validation Language Lines
|--------------------------------------------------------------------------
|
| The following language lines contain the default error messages used by
| the validator class. Some of these rules have multiple versions such
| as the size rules. Feel free to tweak each of these messages here.
|
*/
// Custom Validation message.
'alpha_spaces' => 'The :attribute may only contain letters and spaces.',
'accepted' => 'The :attribute must be accepted.',
....
并照常使用
public function rules()
{
return [
'name' => 'required|alpha_spaces',
'email' => 'email|unique:users,email',
'password' => 'required',
'phone' => 'required|numeric',
'address' => 'required|min:5',
];
}
答案 2 :(得分:5)
您可以使用This Regular Expression来验证您的输入请求。但是,您应该仔细编写要执行的RegEx规则。
在这里,您可以使用此Regex来验证仅允许使用字母和空格。
public function rules()
{
return [
'name' => ['required', 'regex:/^[a-zA-Z\s]*$/']
];
}
我知道,这个答案可能会与其他人有所改变。但是,这就是我进行一些更改的原因:
别误会我的意思。我知道,其他答案很好。但是我认为最好根据需要验证所有内容,以确保我们的应用程序安全。