JavaScript中every()方法的用途是什么?
JavaScript数组的每个 方法都会测试数组中的所有元素是否通过提供的函数实现的测试。
以下是参数-
callback-测试每个元素的函数。
thisObject- 执行回调时用作此对象的对象。
示例
您可以尝试运行以下代码来学习如何使用JavaScript中的every()方法-
<html>
<head>
<title>JavaScript Array every Method</title>
</head>
<body>
<script>
if (!Array.prototype.every) {
Array.prototype.every = function(fun /*, thisp*/) {
var len = this.length;
if (typeof fun != "function")
throw new TypeError();
var thisp = arguments[1];
for (var i = 0; i < len; i++) {
if (i in this && !fun.call(thisp, this[i], i, this))
return false;
}
return true;
};
}
function isBigEnough(element, index, array) {
return (element >= 10);
}
var passed = [12, 5, 8, 130, 44].every(isBigEnough);
document.write("First Test Value : " + passed );
passed = [12, 54, 18, 130, 44].every(isBigEnough);
document.write("<br>Second Test Value : " + passed );
</script>
</body>
</html>