var arr = [1,2,3,4,5,6,7,8,9,0], farr;
farr = arr.filter(function(item) {
return (item>4);
});
for (var i=0,len=arr.length;i<len;i++) {
if (arr[i]<5) continue;
farr.push(arr[i]);
}
for (var i=0,len=arr.length;i<len;i++) {
if (arr[i]>4) farr.push(arr[i]);
}
for (var i in arr) {
if (arr[i]>4) farr.push(arr[i]);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Filter | |
For | |
For 2 | |
For in |
Test name | Executions per second |
---|---|
Filter | 10658021.0 Ops/sec |
For | 2886177.0 Ops/sec |
For 2 | 2162296.8 Ops/sec |
For in | 630407.8 Ops/sec |
Let's break down the provided benchmark and explain what's being tested.
The benchmark is comparing four different approaches to filter an array of numbers, which contains both positive and negative integers:
Array.prototype.filter()
method, which returns a new array with all elements that pass the test implemented by the provided function.farr
).len
variable.for...in
statement to iterate over the array properties and push elements that meet the condition into a new array (farr
).Pros and Cons of each approach:
Library and purpose: None are explicitly used in this benchmark.
Special JS features or syntax: The for...in
loop is using a deprecated feature (as of ECMAScript 2015) that can iterate over object properties, but it's still supported for compatibility reasons. In modern JavaScript, you would typically use for...of
instead.
Other alternatives:
map()
: This method returns a new array with the results of applying a provided function on every element in this array.forEach()
: This method executes a provided function once for each array element, without returning any value.The current benchmark seems to be using the most straightforward approach, which is suitable for understanding the basic concept of filtering arrays. However, considering real-world scenarios or optimizing for specific use cases might require exploring alternative methods like map()
or custom native code (WASM).