我正在尝试检查我的所有值是否都在我的数组中定义。我的代码如下
var check = function (item){return item !== undefined;};
array.every(check);
我在以下阵列上尝试过它:
var array = [];
array[5] = 0; //[undefined × 5, 0]
array.every(check); //return true although there are 5 udefined values there
我做错了什么?
答案 0 :(得分:3)
如上所述every
跳过“漏洞”。
如果你真的想要这个功能,那么你可以添加这个简单的方法:
Array.prototype.myEvery= function (pred) {
for (var i = 0; i < this.length; i++) {
if (!pred(this[i])) return false;
}
return true;
}
答案 1 :(得分:0)
Array.every
的{p> MDN provides a polyfill(读取:确切代码)。如果我们只是修改它以删除该属性存在的检查,那很简单:
if (!Array.prototype.reallyEvery) {
Array.prototype.reallyEvery = function(callbackfn, thisArg) {
'use strict';
var T, k;
if (this == null) {
throw new TypeError('this is null or not defined');
}
// 1. Let O be the result of calling ToObject passing the this
// value as the argument.
var O = Object(this);
// 2. Let lenValue be the result of calling the Get internal method
// of O with the argument "length".
// 3. Let len be ToUint32(lenValue).
var len = O.length >>> 0;
// 4. If IsCallable(callbackfn) is false, throw a TypeError exception.
if (typeof callbackfn !== 'function') {
throw new TypeError();
}
// 5. If thisArg was supplied, let T be thisArg; else let T be undefined.
if (arguments.length > 1) {
T = thisArg;
}
// 6. Let k be 0.
k = 0;
// 7. Repeat, while k < len
while (k < len) {
var kValue;
// i. Let kValue be the result of calling the Get internal method
// of O with argument Pk.
kValue = O[k];
// ii. Let testResult be the result of calling the Call internal method
// of callbackfn with T as the this value and argument list
// containing kValue, k, and O.
var testResult = callbackfn.call(T, kValue, k, O);
// iii. If ToBoolean(testResult) is false, return false.
if (!testResult) {
return false;
}
k++;
}
return true;
};
}
我刚刚将其重命名为Array.reallyEvery()
。
答案 2 :(得分:0)
这是因为.every()
方法在调用check()
函数之前检查该值是否存在,因此只会为最后一个元素{{1}调用check()
}})。
注意:请记住,如果您的函数返回0
值,.every()
方法也会停止。
如果你想检查一下,请尝试这样做:
false
答案 3 :(得分:0)
请尝试以下。
Array.prototype.every = function(){
for(var i=0;i<this.length;i++){
if(this[i]==undefined)
return false;
}
return true;
}
var array = [];
array[5] = 0;
console.log(array.every());
答案 4 :(得分:0)
因为数组的长度是预先确定的,所以我设法通过使用过滤功能来绕过它。
var check = function (item) {return item !== undefined};
array.filter(check).length === predeterminedLength;
谢谢大家的回答!!一如既往的伟大社区