php in_array实现,PHP in_array() 函数

  • Post author:
  • Post category:php


$people = array(“Peter”, “Joe”, “Glenn”, “Cleveland”);

if (in_array(“Glenn”, $people))

{

echo “Match found”;

}

else

{

echo “Match not found”;

}

?>

定义和用法

in_array() 函数搜索数组中是否存在指定的值。

注释:如果 search 参数是字符串且 type 参数被设置为 TRUE,则搜索区分大小写。

语法

in_array(search,array,type)

参数描述

search必需。规定要在数组搜索的值。

array必需。规定要搜索的数组。

type可选。如果该参数设置为 TRUE,则 in_array() 函数检查搜索的数据与数组的值的类型是否相同。

技术细节返回值:如果在数组中找到值则返回 TRUE,否则返回 FALSE。

PHP 版本:4+

更新日志自 PHP 4.2 起,search 参数可以是一个数组。<?php

$arr = array(“Linux”);

if (in_array(0, $arr)) {

echo “match”;

}

?>

执行以上代码,0和字符串是可以匹配成功的。

原因是在in_array,如果比较的类型不匹配,并且第一个参数是0,它会返回true(不正确)。

查手册:

If the third parameter strict is set to TRUE then the in_array() function will also check thetypes of theneedle in thehaystack.

加上类型比较后返回false(正确)

查资料发现:

http://hi.baidu.com/cnkarl/item/9eb1505653a72bc59e2667dd

摘录如下:

1.情况一

$test = ‘a’;

$array = array(‘a’, ‘b’, ‘c’);

if (in_array($test, $array)) {

echo ‘in array’;

} else {

echo ‘no’;

}

//output: in array

2.情况二

$test = ‘other value’;

$array = array(‘a’, ‘b’, ‘c’);

if (in_array($test, $array)) {

echo ‘in array’;

} else {

echo ‘no’;

}

//output: no

———————— 看似一切都正常的分割线 ———————–

3.情况三

$test = 0;

$array = array(‘a’, ‘b’, ‘c’);

if (in_array($test, $array)) {

echo ‘in array’;

} else {

echo ‘no’;

}

//output: in array

难以置信,这不坑爹吗,0不在列表中,但是这个函数返回true。这个函数很常用,所以当某些巧合出现后,就会导致不可预料的错误。

一开始我猜测in_array函数除了在values中寻找,还会去寻找keys,后来发现不是这样的。

4.情况四

$test = ‘0’;

$array = array(‘a’, ‘b’, ‘c’);

if (in_array($test, $array)) {

echo ‘in array’;

} else {

echo ‘no’;

}

//output: no

是不是很有意思

5.原来是因为:

var_dump(0 == “a”); // 0 == 0 -> true

var_dump(“1” == “01”); // 1 == 1 -> true

var_dump(“10” == “1e1”); // 10 == 10 -> true

var_dump(100 == “1e2”); // 100 == 100 -> true

php比较数字和字符串时,会尝试将字符串转换为数字再进行比较。 例子中的 ‘a’, ‘b’, ‘c’ 转成数字都是0,所以和0相等,in_array就返回了true。

6.如何避免

PHP的类型戏法是把双刃剑,有时候很爽,有时候很贱。

所以当in_array的needle与array中的值类型是否相同还不确定时,最好设置in_array函数的第三个参数 strict = true,这样在检查的时候会检查类型,数字与字符串就不会偷偷相等,也就避免类似这种问题。

$test = 0;

$array = array(‘a’, ‘b’, ‘c’);

if (in_array($test, $array, true)) {

echo ‘in array’;

} else {

echo ‘no’;

}

//output: no