我需要确定数组中是否存在值。
我正在使用以下功能:
Array.prototype.contains = function(obj) {
var i = this.length;
while (i--) {
if (this[i] == obj) {
return true;
}
}
return false;
}
上述函数始终返回false。
数组值和函数调用如下:
arrValues = ["Sam","Great", "Sample", "High"]
alert(arrValues.contains("Sam"));
答案 0 :(得分:990)
var contains = function(needle) {
// Per spec, the way to identify NaN is that it is not equal to itself
var findNaN = needle !== needle;
var indexOf;
if(!findNaN && typeof Array.prototype.indexOf === 'function') {
indexOf = Array.prototype.indexOf;
} else {
indexOf = function(needle) {
var i = -1, index = -1;
for(i = 0; i < this.length; i++) {
var item = this[i];
if((findNaN && item !== item) || item === needle) {
index = i;
break;
}
}
return index;
};
}
return indexOf.call(this, needle) > -1;
};
你可以像这样使用它:
var myArray = [0,1,2],
needle = 1,
index = contains.call(myArray, needle); // true
答案 1 :(得分:979)
jQuery有一个实用功能:
$.inArray(value, array)
返回value
中array
的索引。如果-1
不包含array
,则返回value
。
另见How do I check if an array includes an object in JavaScript?
答案 2 :(得分:850)
这通常是indexOf()方法的用途。你会说:
return arrValues.indexOf('Sam') > -1
答案 3 :(得分:334)
在ES2016中,有Array.prototype.includes()
。
includes()
方法确定数组是否包含某个元素,并根据需要返回true
或false
。
["Sam", "Great", "Sample", "High"].includes("Sam"); // true
可以使用Babel(使用babel-polyfill
)或core-js
扩展支持。 MDN还提供polyfill:
if (![].includes) {
Array.prototype.includes = function(searchElement /*, fromIndex*/ ) {
'use strict';
var O = Object(this);
var len = parseInt(O.length) || 0;
if (len === 0) {
return false;
}
var n = parseInt(arguments[1]) || 0;
var k;
if (n >= 0) {
k = n;
} else {
k = len + n;
if (k < 0) {k = 0;}
}
var currentElement;
while (k < len) {
currentElement = O[k];
if (searchElement === currentElement ||
(searchElement !== searchElement && currentElement !== currentElement)) {
return true;
}
k++;
}
return false;
};
}
答案 4 :(得分:128)
使用像lodash之类的库几乎总是更安全,因为跨浏览器的兼容性和效率存在所有问题。
效率,因为可以保证在任何给定时间,像下划线这样非常受欢迎的库将有最有效的方法来完成这样的实用功能。
_.includes([1, 2, 3], 3); // returns true
如果您担心通过包含整个库而添加到您的应用程序中的批量,请知道您可以单独包含功能:
var includes = require('lodash/collections/includes');
注意:对于旧版本的lodash,这是_.contains()
而不是_.includes()
。
答案 5 :(得分:46)
tl; dr
function includes(k) {
for(var i=0; i < this.length; i++){
if( this[i] === k || ( this[i] !== this[i] && k !== k ) ){
return true;
}
}
return false;
}
示例强>
function includes(k) {
for(var i=0; i < this.length; i++){
if( this[i] === k || ( this[i] !== this[i] && k !== k ) ){
return true;
}
}
return false;
}
function log(msg){
$('#out').append('<div>' + msg + '</div>');
}
var arr = [1, "2", NaN, true];
arr.includes = includes;
log('var arr = [1, "2", NaN, true];');
log('<br/>');
log('arr.includes(1): ' + arr.includes(1));
log('arr.includes(2): ' + arr.includes(2));
log('arr.includes("2"): ' + arr.includes("2"));
log('arr.includes(NaN): ' + arr.includes(NaN));
log('arr.includes(true): ' + arr.includes(true));
log('arr.includes(false): ' + arr.includes(false));
#out{
font-family:monospace;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div id=out></div>
更长的答案
我知道这个问题并不是关于是否扩展内置对象,但OP的尝试和对此答案的评论突出了这一争论。我在2013年2月12日的评论中引用了一篇文章,该文章非常清楚地概述了这一论点,但是由于时间过长,我无法编辑原始评论,因此我将其包含在here中。
如果您希望使用Array
方法扩展内置contains
对象,可能最好也是最负责任的方法是使用{{3}中的此polyfill }。 (另请参阅MDN关于原型继承的文章的MDN部分,该文章解释了“扩展内置原型的唯一理由是向后移植新JavaScript引擎的功能;例如Array.forEach等等“)
if (!Array.prototype.includes) {
Array.prototype.includes = function(searchElement /*, fromIndex*/ ) {
'use strict';
var O = Object(this);
var len = parseInt(O.length) || 0;
if (len === 0) {
return false;
}
var n = parseInt(arguments[1]) || 0;
var k;
if (n >= 0) {
k = n;
} else {
k = len + n;
if (k < 0) {k = 0;}
}
var currentElement;
while (k < len) {
currentElement = O[k];
if (searchElement === currentElement ||
(searchElement !== searchElement && currentElement !== currentElement)) {
return true;
}
k++;
}
return false;
};
}
不想要严格平等,还是想要选择?
function includes(k, strict) {
strict = strict !== false; // default is true
// strict = !!strict; // default is false
for(var i=0; i < this.length; i++){
if( (this[i] === k && strict) ||
(this[i] == k && !strict) ||
(this[i] !== this[i] && k !== k)
) {
return true;
}
}
return false;
}
答案 6 :(得分:41)
从ECMAScript6开始,可以使用Set
:
var myArray = ['A', 'B', 'C'];
var mySet = new Set(myArray);
var hasB = mySet.has('B'); // true
var hasZ = mySet.has('Z'); // false
答案 7 :(得分:21)
我的小贡献:
function isInArray(array, search)
{
return array.indexOf(search) >= 0;
}
//usage
if(isInArray(my_array, "my_value"))
{
//...
}
答案 8 :(得分:17)
鉴于IE的indexOf的实现(如eyelidlessness所述):
Array.prototype.contains = function(obj) {
return this.indexOf(obj) > -1;
};
答案 9 :(得分:17)
如果您可以访问ECMA 5,则可以使用某种方法。
arrValues = ["Sam","Great", "Sample", "High"];
function namePresent(name){
return name === this.toString();
}
// Note:
// namePresent requires .toString() method to coerce primitive value
// i.e. String {0: "S", 1: "a", 2: "m", length: 3, [[PrimitiveValue]]: "Sam"}
// into
// "Sam"
arrValues.some(namePresent, 'Sam');
=> true;
如果您有权访问ECMA 6,则可以使用包含方法。
arrValues = ["Sam","Great", "Sample", "High"];
arrValues.includes('Sam');
=> true;
答案 10 :(得分:11)
您可以使用_.indexOf method,或者如果您不想在应用中包含整个Underscore.js库,则可以查看how they did it并提取必要的代码。
_.indexOf = function(array, item, isSorted) {
if (array == null) return -1;
var i = 0, l = array.length;
if (isSorted) {
if (typeof isSorted == 'number') {
i = (isSorted < 0 ? Math.max(0, l + isSorted) : isSorted);
} else {
i = _.sortedIndex(array, item);
return array[i] === item ? i : -1;
}
}
if (nativeIndexOf && array.indexOf === nativeIndexOf) return array.indexOf(item, isSorted);
for (; i < l; i++) if (array[i] === item) return i;
return -1;
};
答案 11 :(得分:9)
另一种选择是以下列方式使用Array.some
(if available):
Array.prototype.contains = function(obj) {
return this.some( function(e){ return e === obj } );
}
当且仅当数组中的元素与Array.some
相同时,传递给true
的匿名函数才会返回obj
。如果没有这样的元素,函数将不会为数组的任何元素返回true
,因此Array.some
也会返回false
。
答案 12 :(得分:7)
我没有看到采用reduce
方法的方法,因此我将其添加到:
var searchForValue = 'pig';
var valueIsInArray = ['horse', 'cat', 'dog'].reduce(function(previous, current){
return previous || searchForValue === current ? true : false;
}, false);
console.log('The value "' + searchForValue + '" is in the array: ' + valueIsInArray);
答案 13 :(得分:4)
使用array .map函数为数组中的每个值执行一个函数对我来说似乎最干净。
此方法适用于简单数组和对象数组,您需要查看对象数组中是否存在键/值。
function inArray(myArray,myValue){
var inArray = false;
myArray.map(function(key){
if (key === myValue){
inArray=true;
}
});
return inArray;
};
var anArray = [2,4,6,8]
console.log(inArray(anArray, 8)); // returns true
console.log(inArray(anArray, 1)); // returns false
function inArrayOfObjects(myArray,myValue,objElement){
var inArray = false;
myArray.map(function(arrayObj){
if (arrayObj[objElement] === myValue) {
inArray=true;
}
});
return inArray;
};
var objArray = [{id:4,value:'foo'},{id:5,value:'bar'}]
console.log(inArrayOfObjects(objArray, 4, 'id')); // returns true
console.log(inArrayOfObjects(objArray, 'bar', 'value')); // returns true
console.log(inArrayOfObjects(objArray, 1, 'id')); // returns false
答案 14 :(得分:4)
提供的答案对我不起作用,但它给了我一个想法:
Array.prototype.contains = function(obj)
{
return (this.join(',')).indexOf(obj) > -1;
}
这并不完美,因为超出分组的相同项目最终可能会匹配。比如我的例子
var c=[];
var d=[];
function a()
{
var e = '1';
var f = '2';
c[0] = ['1','1'];
c[1] = ['2','2'];
c[2] = ['3','3'];
d[0] = [document.getElementById('g').value,document.getElementById('h').value];
document.getElementById('i').value = c.join(',');
document.getElementById('j').value = d.join(',');
document.getElementById('b').value = c.contains(d);
}
当我使用分别包含1和2的'g'和'h'字段调用此函数时,它仍然会找到它,因为来自连接的结果字符串是:1,1,2,2,3,3
由于我的情况值得怀疑,我会遇到这种情况,我正在使用它。我以为我会分享,其他人也不能让选择的答案工作。
答案 15 :(得分:2)
function setFound(){
var l = arr.length, textBox1 = document.getElementById("text1");
for(var i=0; i<l;i++)
{
if(arr[i]==searchele){
textBox1 .value = "Found";
return;
}
}
textBox1 .value = "Not Found";
return;
}
该程序检查是否找到给定元素。 ID text1表示文本框的id,searchele表示要的元素 搜索(得到了用户);如果你想索引,使用i值
答案 16 :(得分:1)
contains
函数的最简单解决方案是一个如下函数:
var contains = function (haystack, needle) {
return !!~haystack.indexOf(needle);
}
理想情况下,你不会把它变成一个独立的函数,但是它是帮助程序库的一部分:
var helper = {};
helper.array = {
contains : function (haystack, needle) {
return !!~haystack.indexOf(needle);
},
...
};
现在,如果您碰巧是那些仍然需要支持IE&lt; 9并因此无法依赖indexOf
的不幸人群之一,您可以使用此polyfill,我得到{ {3}}:
if (!Array.prototype.indexOf) {
Array.prototype.indexOf = function(searchElement, fromIndex) {
var k;
if (this == null) {
throw new TypeError('"this" is null or not defined');
}
var o = Object(this);
var len = o.length >>> 0;
if (len === 0) {
return -1;
}
var n = +fromIndex || 0;
if (Math.abs(n) === Infinity) {
n = 0;
}
if (n >= len) {
return -1;
}
k = Math.max(n >= 0 ? n : len - Math.abs(n), 0);
while (k < len) {
if (k in o && o[k] === searchElement) {
return k;
}
k++;
}
return -1;
};
}
答案 17 :(得分:-6)
我更喜欢简单:
var days = [1, 2, 3, 4, 5];
if ( 2 in days ) {console.log('weekday');}