仅当另一个字段有值时才为必填字段,否则必须为空

Required field only if another field has a value, must be empty otherwise

我的问题是关于 Laravel validation rules.

我有两个输入 aba 是一个 select 输入,具有三个可能的值:xyz。我想写这个规则:

b must have a value only if a values is x. And b must be empty otherwise.

有没有办法写这样的规则?我尝试了 required_withrequired_without,但它似乎无法涵盖我的情况。

换句话说,如果之前的解释不够清楚:

Required if

required_if:anotherfield,value,... The field under validation must be present and not empty if the anotherfield field is equal to any value.

'b' => 'required_if:a,x'

您必须创建自己的验证规则。

编辑 app/Providers/AppServiceProvider.php 并将此验证规则添加到 boot 方法:

// Extends the validator
\Validator::extendImplicit(
    'empty_if',
    function ($attribute, $value, $parameters, $validator) {
        $data = request()->input($parameters[0]);
        $parameters_values = array_slice($parameters, 1);
        foreach ($parameters_values as $parameter_value) {
            if ($data == $parameter_value && !empty($value)) {
                return false;
            }
        }
        return true;
    });

// (optional) Display error replacement
\Validator::replacer(
    'empty_if',
    function ($message, $attribute, $rule, $parameters) {
        return str_replace(
            [':other', ':value'], 
            [$parameters[0], request()->input($parameters[0])], 
            $message
        );
    });

(可选)resources/lang/en/validation.php 中的错误创建消息:

'empty_if' => 'The :attribute field must be empty when :other is :value.',

然后在控制器中使用此规则(使用 require_if 以遵守原始 post 的两个规则):

$attributes = request()->validate([
    'a' => 'required',
    'b' => 'required_if:a,x|empty_if:a,y,z'
]);

有效!

旁注:我可能会用 empty_ifempty_unless 以及 post 和 link 在这里

Laravel 有自己的方法来在另一个字段存在时要求一个字段。该方法名为 required_with.