我使用in_array()来检查一个值是否存在于如下数组中,

$a = array("Mac", "NT", "Irix", "Linux");
if (in_array("Irix", $a)) 
{
    echo "Got Irix";
}

//print_r($a);

但是对于一个多维数组(下面)——我如何检查这个值是否存在于多数组中?

$b = array(array("Mac", "NT"), array("Irix", "Linux"));

print_r($b);

或者我不应该使用in_array()当涉及到多维数组?


当前回答

jwueller所接受的解决方案(在撰写本文时)

function in_array_r($needle, $haystack, $strict = false) {
    foreach ($haystack as $item) {
        if (($strict ? $item === $needle : $item == $needle) || (is_array($item) && in_array_r($needle, $item, $strict))) {
            return true;
        }
    }

    return false;
}

完全正确,但在进行弱比较(参数$strict = false)时可能会出现意外行为。

由于PHP在比较不同类型的值时的类型杂耍

"example" == 0

and

0 == "example"

计算值为true,因为"example"被强制转换为int并转换为0。

(参见为什么PHP认为0等于一个字符串?)

如果这不是理想的行为,在进行非严格比较之前,可以方便地将数值转换为字符串:

function in_array_r($needle, $haystack, $strict = false) {
    foreach ($haystack as $item) {

        if( ! $strict && is_string( $needle ) && ( is_float( $item ) || is_int( $item ) ) ) {
            $item = (string)$item;
        }

        if (($strict ? $item === $needle : $item == $needle) || (is_array($item) && in_array_r($needle, $item, $strict))) {
            return true;
        }
    }

    return false;
}

其他回答

以下是我基于json_encode()解决方案的主张:

不区分大小写选项 返回计数而不是true 数组中的任何位置(键和值)

如果没有找到word,它仍然返回0 = false。

function in_array_count($needle, $haystack, $caseSensitive = true) {
    if(!$caseSensitive) {
        return substr_count(strtoupper(json_encode($haystack)), strtoupper($needle));
    }
    return substr_count(json_encode($haystack), $needle);
}

希望能有所帮助。

对于多维儿童:in_array('needle', array_column($arr, 'key'))

对于一维子元素:in_array('needle', call_user_func_array('array_merge', $arr))

你可以这样用

$result = array_intersect($array1, $array2);
print_r($result);

http://php.net/manual/tr/function.array-intersect.php

jwueller所接受的解决方案(在撰写本文时)

function in_array_r($needle, $haystack, $strict = false) {
    foreach ($haystack as $item) {
        if (($strict ? $item === $needle : $item == $needle) || (is_array($item) && in_array_r($needle, $item, $strict))) {
            return true;
        }
    }

    return false;
}

完全正确,但在进行弱比较(参数$strict = false)时可能会出现意外行为。

由于PHP在比较不同类型的值时的类型杂耍

"example" == 0

and

0 == "example"

计算值为true,因为"example"被强制转换为int并转换为0。

(参见为什么PHP认为0等于一个字符串?)

如果这不是理想的行为,在进行非严格比较之前,可以方便地将数值转换为字符串:

function in_array_r($needle, $haystack, $strict = false) {
    foreach ($haystack as $item) {

        if( ! $strict && is_string( $needle ) && ( is_float( $item ) || is_int( $item ) ) ) {
            $item = (string)$item;
        }

        if (($strict ? $item === $needle : $item == $needle) || (is_array($item) && in_array_r($needle, $item, $strict))) {
            return true;
        }
    }

    return false;
}

你总是可以序列化你的多维数组并执行strpos:

$arr = array(array("Mac", "NT"), array("Irix", "Linux"));

$in_arr = (bool)strpos(serialize($arr),'s:4:"Irix";');

if($in_arr){
    echo "Got Irix!";
}

我使用的各种文档:

(大小写敏感) serialize () 类型杂耍或(bool)