问题
My form has the same input field multiple times. My form field is as follows:
<input type='text' name='items[]'>
<input type='text' name='items[]'>
<input type='text' name='items[]'>
And request contains ($request['items'):
array:1 [▼
"items" => array:3 [▼
0 => "item one"
1 => "item two"
2 => "item three"
]
]
I want atleast one of the items to be filled. My current validation in the controller is
$validator = Validator::make($request->all(),[
'items.*' => 'required|array|size:1'
]);
It does not work. I tried with combination of size, required, nullable. Nothing works.
回答1:
You can check it like this:
$validator = Validator::make($request->all(), [
"items" => "required|array|min:1",
"items.*" => "required|string|distinct|min:1",
]);
In the example above:
- "items" must be an array with at least 1 elements.
- Values in the "items" array must be distinct (unique) strings, at least 1 characters long.
回答2:
Just Do it normally as you always do:
$validator = Validator::make($request->all(),[
'items' => 'required'
]);
回答3:
You should try this:
$validator = $request->validate([
"items" => "required|array|min:3",
"items.*" => "required|string|distinct|min:3",
]);
回答4:
You can use a custom rule with a closure.
https://laravel.com/docs/5.7/validation#custom-validation-rules
To check if an array has all null values check it with array_filter which returns false if they're all null.
So something like...
$request->validate([
'items' => [
// $attribute = 'items', $value = items array, $fail = error message as string
function($attribute, $value, $fail) {
if (!array_filter($value)) {
$fail($attribute.' is empty.');
}
},
]
]);
This will set the error message: 'items is empty."
回答5:
In fact, it's enough to use:
$validator = Validator::make($request->all(),[
'items' => 'required|array'
]);
The changes made:
- use
items
instead ofitems.*
- you want to set rule of general items, if you useitems.*
it means you apply rule to each sent element of array separately - removed
size:1
because it would mean you want to have exactly one element sent (and you want at least one). You don't need it at all because you haverequired
rule. You can read documentation for required rule and you can read in there that empty array would case thatrequired
rule will fail, so thisrequired
rule for array makes that array should have at least 1 element, so you don't needmin:1
orsize:1
at all
回答6:
Knowing you are using the latest version of Laravel, I really suggest looking into Form Request feature. That way you can decouple validation from your controller keeping it much cleaner.
Anyways as the answer above me suggested, it should be sufficient for you to go with:
'items' => 'required|array'
来源:https://stackoverflow.com/questions/52404515/validate-array-of-inputs-in-form-in-laravel-5-7