Javascript Array.every()方法


JavaScript 陣列中的每個方法測試陣列中的所有元素是否經過所提供的函式來實現測試。

語法

array.every(callback[, thisObject]);

下面是引數的詳細資訊:

  • callback : 函式用來測試每個元素

  • thisObject : 物件作為該執行回撥時使用

返回值:

返回true,如果此陣列中的每個元素滿足所提供的測試函式。

相容性:

這種方法是一個JavaScript擴充套件到ECMA-262標準;因此它可能不存在在標準的其他實現。為了使它工作,你需要新增下面的指令碼的程式碼在頂部:

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;
  };
}

例子:

<html>
<head>
<title>JavaScript Array every Method</title>
</head>
<body>
<script type="text/javascript">
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("Second Test Value : " + passed ); 
</script>
</body>
</html>

這將產生以下結果:

First Test Value : falseSecond Test Value : true