Compare multiple values in PHP

房东的猫 提交于 2019-11-26 13:45:45

Place the values in an array, then use the function in_array() to check if they exist.

$checkVars = array(3, 4, 5, "string", "2010-05-16");
if(in_array($var, $checkVars)){
    // Value is found.
}

http://uk.php.net/manual/en/function.in-array.php

If you need to perform this check very often and you need good performance, don't use a slow array search but use a fast hash table lookup instead:

$vals = array(
    1 => 1,
    2 => 1,
    'Hi' => 1,
);

if (isset($vals[$val])) {
    // go!
}
if (in_array($var, array(3, 4, 5, 'string', '2010-05-16'))) {execute code here }

Or, alternatively, a switch block:

switch ($var) {
    case 3:
    case 4:
    case 5:
    case 'string':
    case '2010-05-16':
        execute code here;
        break;
}

You can use in_array().

if (in_array($var, array(3,4,5,"string","2010-05-16"))) { .... }

Or you can use in_array()

if(in_array($var,array(4,5,'string','2010-05-16',true)) {

}

Just to give an alternative solution to the use of in_array:

In some cases it could be faster to set an array where the values are keys and then check with isset()

Example:

$checkVars= [3 => true, 
             4 => true, 
             5 => true, 
             "string" => true, 
             "2010-05-16" => true];

if(isset($checkVars[$var])
{
   // code here
}

EDIT: I have done some testing and it looks like this method is faster in most cases.

$vals = array (3, 4, 5, 'string', '2010-05-16');
if(in_array($var, $vals)) {
  //execute code here
}

I've had this problem and solved it by making this function:

function orEquals(){
    $args = func_get_args();

    foreach($args as $arg){
        if ($arg != $args[0]){
            if($arg == $args[0]){
                return true;
                break;
            }
        }
    }
    unset($args);
}

then you can just call the function like this:

if(orEquals($var, 3, 4, 5, 'string', '2010-05-16')){
//your code here
}
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!