var array = new Array(100);
const result = [];
array.forEach(function(i) {
result.push(i);
});
const result = array.map(function(i) {
return array[i];
});
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
forEach | |
map |
Test name | Executions per second |
---|---|
forEach | 11177246.0 Ops/sec |
map | 9339928.0 Ops/sec |
In this benchmark, the performance of two different JavaScript approaches for processing an array is being tested: using the forEach
method and the map
method. Both approaches are commonly used for iterating over arrays in JavaScript, but they offer different functionalities and have distinct pros and cons.
Purpose: The benchmark compares the performance of Array.prototype.forEach()
and Array.prototype.map()
when generating an array from an existing array.
Setup: An array of 100 elements is created using var array = new Array(100);
, which serves as the base input for both operations.
ForEach:
const result = [];
array.forEach(function(i) {
result.push(i);
});
forEach
forEach
method executes a provided function once for each array element, facilitating an operation that pushes each item into a new result array. Map:
const result = array.map(function(i) {
return array[i];
});
map
map
method creates a new array populated with the results of calling a provided function on every element in the calling array.In the test results provided, we see the execution speeds of both methods on a specific platform and browser (Firefox 136 on Mac OS X 10.15):
Performance: The forEach
method performed significantly better than the map
method in this benchmark scenario. This is partially due to the fact that map
does additional work by returning a new array, which may be unnecessary for this case, where the function doesn't change the value being pushed.
Recommendation: When the goal is simply to iterate through an array for side effects, such as populating a new array or accumulating results, forEach
is the preferred choice. When the aim is to transform an existing array into a new one, map
is the appropriate method.
For Loop: A traditional for loop may provide more granular control and potentially better performance in critical sections, although it sacrifices readability.
const result = [];
for (let i = 0; i < array.length; i++) {
result.push(array[i]);
}
Reduce: For complex transformations or when accumulating values, the reduce
method is powerful, allowing for constructs that can combine both mapping and reducing in one operation.
const result = array.reduce((acc, i) => {
acc.push(i);
return acc;
}, []);
In conclusion, the choice between forEach
, map
, and other methods depends on the specific needs of the task (e.g., performance, readability, and functionality). Each method serves different purposes and has its situational strengths.