Image array validation in Laravel 5

2020-03-01 18:31发布

My application allows the user to upload multiple image files at the same time, however I can't figure out how to validate the array of images.

$input = Request::all();

    $rules = array(
        ...
        'image' => 'required|image'
    );

    $validator = Validator::make($input, $rules);

    if ($validator->fails()) {

        $messages = $validator->messages();

        return Redirect::to('venue-add')
            ->withErrors($messages);

    } else { ...

This validation will fail, as 'image' is an array, if I change the validation rule to:

    $rules = array(
        ...
        'image' => 'required|array'
    );

The validation will pass, but the images inside of the array haven't been verified.

This answer uses the keyword each to prefix validation rules, however this is in laravel 4.2 and in Laravel 5 it doesn't seem to work.

I've been trying to iterate through the array and validation on each image individually, but is there a built in function to do this for me?

2条回答
时光不老,我们不散
2楼-- · 2020-03-01 18:56

I used a technique similar to what Jeemusu recommended and after the initial validation to make sure the array of images is present, iterated through the array with a second validator, making sure each item in the array is in fact an image. Here's the code:

$input = Request::all();

$rules = array(
    'name' => 'required',
    'location' => 'required',
    'capacity' => 'required',
    'description' => 'required',
    'image' => 'required|array'
);

$validator = Validator::make($input, $rules);

if ($validator->fails()) {

    $messages = $validator->messages();

    return Redirect::to('venue-add')
        ->withErrors($messages);

}

$imageRules = array(
    'image' => 'image|max:2000'
);

foreach($input['image'] as $image)
{
    $image = array('image' => $image);

    $imageValidator = Validator::make($image, $imageRules);

    if ($imageValidator->fails()) {

        $messages = $imageValidator->messages();

        return Redirect::to('venue-add')
            ->withErrors($messages);

    }
}
查看更多
Melony?
3楼-- · 2020-03-01 19:05

This works for me

$rules = array(
     ...
     'image' => 'required',
     'image.*' => 'image|mimes:jpg,jpeg'
);

Do it in that order.

查看更多
登录 后发表回答