JavaScript 中有没有办法比较一个数组中的值,看看它是否在另一个数组中?
类似于PHP的in_array
功能?
JavaScript 中有没有办法比较一个数组中的值,看看它是否在另一个数组中?
类似于PHP的in_array
功能?
不,它没有。出于这个原因,大多数流行的库都在其实用程序包中提供了一个。查看 jQuery 的inArray和 Prototype 的Array.indexOf以获取示例。
jQuery 的实现和你想象的一样简单:
function inArray(needle, haystack) {
var length = haystack.length;
for(var i = 0; i < length; i++) {
if(haystack[i] == needle) return true;
}
return false;
}
如果您正在处理数量合理的数组元素,则上述方法可以很好地解决问题。
编辑:oop。我什至没有注意到您想查看一个数组是否在另一个数组中。根据 PHP 文档,这是 PHP 的预期行为in_array
:
$a = array(array('p', 'h'), array('p', 'r'), 'o');
if (in_array(array('p', 'h'), $a)) {
echo "'ph' was found\n";
}
if (in_array(array('f', 'i'), $a)) {
echo "'fi' was found\n";
}
if (in_array('o', $a)) {
echo "'o' was found\n";
}
// Output:
// 'ph' was found
// 'o' was found
Chris 和 Alex 发布的代码没有遵循这种行为。Alex 的是 Prototype 的 indexOf 的官方版本,而 Chris 的更像是 PHP 的array_intersect
. 这做你想要的:
function arrayCompare(a1, a2) {
if (a1.length != a2.length) return false;
var length = a2.length;
for (var i = 0; i < length; i++) {
if (a1[i] !== a2[i]) return false;
}
return true;
}
function inArray(needle, haystack) {
var length = haystack.length;
for(var i = 0; i < length; i++) {
if(typeof haystack[i] == 'object') {
if(arrayCompare(haystack[i], needle)) return true;
} else {
if(haystack[i] == needle) return true;
}
}
return false;
}
这是我对上面的测试:
var a = [['p','h'],['p','r'],'o'];
if(inArray(['p','h'], a)) {
alert('ph was found');
}
if(inArray(['f','i'], a)) {
alert('fi was found');
}
if(inArray('o', a)) {
alert('o was found');
}
// Results:
// alerts 'ph' was found
// alerts 'o' was found
请注意,我故意没有扩展 Array 原型,因为这样做通常是个坏主意。
include() 方法确定数组是否包含某个元素,并根据需要返回 true 或 false。
var a = [1, 2, 3];
a.includes(2); // true
a.includes(4); // false
句法
arr.includes(searchElement)
arr.includes(searchElement, fromIndex)
Array.indexOf
在 JavaScript 1.6 中引入,但在旧浏览器中不支持。值得庆幸的是,Mozilla 的小伙伴们已经为您完成了所有艰苦的工作,并为您提供了以下兼容性:
if (!Array.prototype.indexOf)
{
Array.prototype.indexOf = function(elt /*, from*/)
{
var len = this.length >>> 0;
var from = Number(arguments[1]) || 0;
from = (from < 0)
? Math.ceil(from)
: Math.floor(from);
if (from < 0)
from += len;
for (; from < len; from++)
{
if (from in this &&
this[from] === elt)
return from;
}
return -1;
};
}
甚至还有一些方便的使用片段,可以让您轻松愉快地编写脚本。
PHP方式:
if (in_array('a', ['a', 'b', 'c'])) {
// do something if true
}
我在 JS 中的解决方案:
if (['a', 'b', 'c'].includes('a')) {
// do something if true
}
如果索引不按顺序,或者如果索引不连续,这里列出的其他解决方案中的代码将中断。一个效果更好的解决方案可能是:
function in_array(needle, haystack) {
for(var i in haystack) {
if(haystack[i] == needle) return true;
}
return false;
}
而且,作为奖励,这里等效于 PHP 的 array_search(用于查找数组中元素的键:
function array_search(needle, haystack) {
for(var i in haystack) {
if(haystack[i] == needle) return i;
}
return false;
}