我在IE 8中收到以下错误Object doesn't support this property or method
Helper.prototype.getUniqueArray = function(a) {
/*console.log(a);*/
return a.filter(function(elem, pos, self) {
if (elem === '') {
return false;
}
return self.indexOf(elem) === pos;
});
};
请帮助我在IE9及更低版本中进行此工作。
最佳答案
按照MDN docs中的指定,对.filter()
使用pollyfill:
Polyfill
filter()已在第5版中添加到ECMA-262标准中;因此,它可能并不存在于该标准的所有实现中。您可以通过在脚本的开头插入以下代码来解决此问题,从而允许在本身不支持它的ECMA-262实现中使用filter()。假定fn.call计算得出Function.prototype.call()的原始值,而Array.prototype.push()具有其原始值,则该算法正是ECMA-262第5版中指定的算法。
if (!Array.prototype.filter) {
Array.prototype.filter = function(fun/*, thisArg*/) {
'use strict';
if (this === void 0 || this === null) {
throw new TypeError();
}
var t = Object(this);
var len = t.length >>> 0;
if (typeof fun !== 'function') {
throw new TypeError();
}
var res = [];
var thisArg = arguments.length >= 2 ? arguments[1] : void 0;
for (var i = 0; i < len; i++) {
if (i in t) {
var val = t[i];
// NOTE: Technically this should Object.defineProperty at
// the next index, as push can be affected by
// properties on Object.prototype and Array.prototype.
// But that method's new, and collisions should be
// rare, so use the more-compatible alternative.
if (fun.call(thisArg, val, i, t)) {
res.push(val);
}
}
}
return res;
};
}