var strs = Array.from(new Array(10000)).map(() => 'String concat. ')
var result = []
strs.forEach(s => result.push(s))
result = strs.map((a) => a)
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Push | |
Join |
Test name | Executions per second |
---|---|
Push | 3593.0 Ops/sec |
Join | 20778.8 Ops/sec |
The benchmark you're analyzing compares two different approaches for processing an array of strings in JavaScript: the forEach
method combined with Array.push
to collect results, and the Array.map
method, which transforms the original array and creates a new one.
Push (forEach):
strs.forEach(s => result.push(s))
forEach
array method to iterate over each element in the strs
array. For each string, it invokes a callback function that pushes the string into the result
array.Join (map):
result = strs.map((a) => a)
map
function to create a new array by transforming each element from the strs
array. It essentially returns a copy of the original array in this case, as the transformation function returns the same element.Push (forEach):
forEach
and push
, which is straightforward when performing arbitrary operations during iteration.push
inside a loop like forEach
can lead to slower execution compared to methods like map
, as it requires multiple function calls and potentially more overhead.result
array directly, which can lead to unintended consequences if not handled carefully.Join (map):
forEach + push
approach, especially with larger arrays, as it optimally constructs the new array in place.Performance: The benchmark results show a significant performance difference between the two methods, with map
achieving approximately 20,778 executions per second compared to forEach
with push
, which reaches only about 3,593 executions per second. This indicates that for this specific task, map
performs much better, making it the more suitable choice when merely copying values.
Use Cases:
forEach
when you need to execute a function that produces side effects or if you're planning to include complex logic for each element.map
when you want to transform an array into another array, as it's semantically clearer and typically more efficient.for
loop is often used for performance-critical sections, gaining the benefit of low overhead. However, it may sacrifice readability.Array.reduce()
method allows aggregation of elements, which can also be adapted for similar use cases but is generally more complex and not suitable for simple copy operations.flatMap
might also be relevant, though it goes beyond the simple copy demonstrated here.In summary, this benchmark highlights the performance differences between two common JavaScript methods for array processing, advocating the use of map
for better performance and clarity when merely copying values from one array to another.