0

我有以下数组:

if ( empty($a)||empty($b)||empty($c)){
    if(empty($a)){
        $errors[]="a is empty";
    }
    if(empty($b)){
        $errors[]="b is empty";
    }
    if(empty($c)){
        $errors[]="c is empty";
            }
 }...

如何检查if (in_array('??'; $errors))数组是否填充了$a,$b$c错误消息?

我知道这种方式:

$errors = array(
    'a' => 'Please enter a.',
    'b' => 'Please enter b.',
    'c' => 'Please enter c.'
);

在这里,我可以简单地检查if (in_array('a'; $errors))是否有一些错误消息a。我遇到的问题是,我不仅有一个关于 a、b 或 c 的错误消息。所以我寻找一种结合两种方法的方法:

$errors = array(
        'a' => if ( empty ($a) || $specific_error1_for_a  || $specific_error2_for_a ),
        'b' => if ( empty ($b) || $specific_error1_for_b  || $specific_error2_for_b ),
        'c' => if ( empty ($c) || $specific_error1_for_c  || $specific_error2_for_c ),
    );

我正在寻找一种方法来搜索数组errors[]中每个元素的失败消息实例a,bc.

主要问题是我想要一个变量或其他东西,我可以在使用 in_array 时搜索它。要更具体:

我的每个输入字段都有一个错误层。errors[]因此,如果特定输入字段存在特定错误消息,我需要搜索整个数组:

<input type="text" id="a" name="a" value="<?php echo isset ($_POST['a'])? $_POST['a'] : ''; ?>" tabindex="10" autocomplete="off"/><?php if (**in_array(...., $errors)**):?><span class="error"><?php echo $errors['a'];?></span><?php endif;?>

问题是,就像我已经说过的那样,每个输入字段我都有不止一个错误消息实例,所以我会有这样的东西:

(**in_array('a is empty' || 'a is too short' || 'a is too long' ..., $errors)**)

这就是为什么我认为最好只搜索一个这样的变量:

(**in_array($a, $errors)**)

如果有人可以就此提供建议,我将不胜感激。非常感谢。

4

1 回答 1

2

array_intersect可以像in_array多个值一样使用:

if(array_intersect($errors, array(
    'a is empty',
    'specific_error1_for_a',
    'specific_error2_for_a',
))) {
    // There is an error for a
}

但是,我建议您以不同的方式设计程序。如果首先将错误存储在关联数组中,那么检查给定变量是否有任何错误会变得更加有效:

if(empty($a)){
    $errors['a'][]="a is empty";
}
if(empty($b)){
    $errors['b'][]="b is empty";
}
if(empty($c)){
    $errors['c'][]="c is empty";
}

...

if(isset($errors['a'])) {
    // There is an error for a
}
于 2012-07-20T10:08:45.650 回答