相当于PHP中的JavaScript
有没有在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;
}
如果你正在处理一个明智的数组元素,那么上面的代码就会很好地解决这个问题。
编辑 :哎呀。 我甚至没有注意到你想看看数组是否在另一个内部。 根据PHP文档,这是PHP in_array
的预期行为:
$a = array(array('p', 'h'), array('p', 'r'), 'o');
if (in_array(array('p', 'h'), $a)) {
echo "'ph' was foundn";
}
if (in_array(array('f', 'i'), $a)) {
echo "'fi' was foundn";
}
if (in_array('o', $a)) {
echo "'o' was foundn";
}
// Output:
// 'ph' was found
// 'o' was found
Chris和Alex发布的代码并不遵循这种行为。 Alex's是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.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;
};
}
甚至有一些方便的使用片段可以让您的脚本更加愉快。
现在有Array.prototype.includes
:
includes()方法确定数组是否包含某个元素,并根据需要返回true或false。
var a = [1, 2, 3];
a.includes(2); // true
a.includes(4); // false
句法
arr.includes(searchElement)
arr.includes(searchElement, fromIndex)
链接地址: http://www.djcxy.com/p/75059.html