Array.prototype.find()未定义

时间:2014-06-10 14:28:20

标签: javascript

here

它说这应该有效:

function isPrime(element, index, array) {
    var start = 2;
    while (start <= Math.sqrt(element)) {
        if (element % start++ < 1) return false;
    }
    return (element > 1);
}

console.log( [4, 5, 8, 12].find(isPrime) ); // 5

但我最终得到了一个错误:

TypeError: undefined is not a function

为什么?

P.S。

我正在尝试不使用underscorejs库,因为浏览器应该支持find()等函数。

3 个答案:

答案 0 :(得分:5)

请改用填充,只需复制粘贴以下代码(来自this链接)即可启用find方法:

if (!Array.prototype.find) {
  Object.defineProperty(Array.prototype, 'find', {
    enumerable: false,
    configurable: true,
    writable: true,
    value: function(predicate) {
      if (this == null) {
        throw new TypeError('Array.prototype.find called on null or undefined');
      }
      if (typeof predicate !== 'function') {
        throw new TypeError('predicate must be a function');
      }
      var list = Object(this);
      var length = list.length >>> 0;
      var thisArg = arguments[1];
      var value;

      for (var i = 0; i < length; i++) {
        if (i in list) {
          value = list[i];
          if (predicate.call(thisArg, value, i, list)) {
            return value;
          }
        }
      }
      return undefined;
    }
  });
}

答案 1 :(得分:3)

如上所述,Array.prototype.find方法是为ECMAScript 6提出的实验性功能。但是如果你想使用它,并且你想要一个完成这项工作的简短的polyfill,你可以使用它(来自{{ 3}}):

if (!Array.prototype.find) {
  Array.prototype.find = function (callback, thisArg) {
    "use strict";
    var arr = this,
        arrLen = arr.length,
        i;
    for (i = 0; i < arrLen; i += 1) {
        if (callback.call(thisArg, arr[i], i, arr)) {
            return arr[i];
        }
    }
    return undefined;
  };
}

答案 2 :(得分:1)

您也可以只使用.find(...)代替.filter(...)[0]。 (对于IE> = 9)

示例:

function isEven(x) {
  return x % 2 == 0;
}
console.log([3, 4, 5].find(isEven)); // 4
console.log([3, 4, 5].filter(isEven)[0]); // 4

参考:Array.prototype.filter()