const arrNested = Array.from(Array(1000).keys());
const arr = new Array(1000).fill(null).map((item) => ({
nested: [arrNested],
}));
const resultSpread = [];
arr.forEach((item) => {
resultSpread.push(item.nested);
});
const resultNestedLoop = [];
arr.forEach((item) => {
item.nested.forEach((nestedItem) => resultNestedLoop.push(nestedItem));
});
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
spread | |
forEach push |
Test name | Executions per second |
---|---|
spread | 372.1 Ops/sec |
forEach push | 266.9 Ops/sec |
The benchmark being evaluated compares two different approaches for flattening a nested array structure in JavaScript: using the spread operator vs. a nested forEach loop to push elements into a result array. Here’s a detailed breakdown of the benchmark and its implications:
The benchmark tests the performance of two implementations for gathering values from nested objects within an array of objects. Each object in the main array contains a property called nested
, which is an array of integers sourced from a range created by Array.from(Array(1000).keys())
.
Case: spread
const resultSpread = [];
arr.forEach((item) => {
resultSpread.push(...item.nested);
});
...
) to flatten the nested
array directly as it pushes elements into resultSpread
.Case: forEach push
const resultNestedLoop = [];
arr.forEach((item) => {
item.nested.forEach((nestedItem) => resultNestedLoop.push(nestedItem));
});
forEach
loop where each individual element of nested
is pushed into resultNestedLoop
.From the benchmark results:
spread
method achieved 372.09 executions per second.forEach push
method achieved 266.87 executions per second.This indicates that, in this particular case, the spread operator was faster than using a nested loop for pushing elements into the array, at least in the context of the specified environment (Chrome on macOS).
...
)Array.prototype.reduce
for more functional programming tendencies.Array.prototype.flat()
method in modern JavaScript, which provides a more elegant solution for flattening arrays with a specified depth.In summary, while the benchmark illustrates a specific environment where the spread operator performed better than the nested forEach
, developers should consider various factors such as data size, code maintainability, and browser performance characteristics when deciding which method to use in practice.