filter() 方法在 JavaScript 中的作用是什么?
JavaScript 数组的 filter() 方法创建一个新的数组,其中包含通过所提供的函数实现的测试的所有元素。
以下是参数 -
回调 - 测试数组中每个元素的函数。
thisObject - 在执行回调时用作 this 的对象。
你可以尝试运行以下代码,了解如何在 JavaScript 中使用 filter() 方法 -
示例
<html> <head> <title>JavaScript Array filter Method</title> </head> <body> <script> if (!Array.prototype.filter) { Array.prototype.filter = function(fun /*, thisp*/) { var len = this.length; if (typeof fun != "function") throw new TypeError(); var res = new Array(); var thisp = arguments[1]; for (var i = 0; i < len; i++) { if (i in this) { var val = this[i]; // in case fun mutates this if (fun.call(thisp, val, i, this)) res.push(val); } } return res; }; } function isBigEnough(element, index, array) { return (element >= 10); } var filtered = [12, 5, 8, 130, 44].filter(isBigEnough); document.write("Filtered Value : " + filtered ); </script> </body> </html>
广告