<!--your preparation HTML code goes here-->
var array = new Array(1000);
let count = 1000;
function print(i) {
console.log(array[i]);
}
for (var i = 0; i < count; i++) {
console.log(array[i]);
}
for (var i = 0; i < count; i++) {
print(i);
}
array.forEach(print)
array.forEach((i) => print(i))
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
For | |
For (with function call) | |
For Each (function) | |
For Each (trivial lambda) |
Test name | Executions per second |
---|---|
For | 547.7 Ops/sec |
For (with function call) | 515.7 Ops/sec |
For Each (function) | 1331068.6 Ops/sec |
For Each (trivial lambda) | 1326592.9 Ops/sec |
The benchmark from MeasureThat.net is aimed at testing the performance of different iteration approaches in JavaScript when printing elements from an array of 1000 elements. In this benchmark, the performance of four different approaches is compared:
For Loop
for (var i = 0; i < count; i++) { console.log(array[i]); }
for
loop is generally the fastest approach, as it directly accesses array elements and has minimal overhead.For Loop with Function Call
for (var i = 0; i < count; i++) { print(i); }
print(i)
) to log each element, promoting code reusability and separation of concerns.for
loop. ForEach (Function Reference)
array.forEach(print)
for
loop akin to the overhead seen in the for loop with function call, especially for large data sets.ForEach (Trivial Lambda)
array.forEach((i) => print(i))
From the performance results, we can see that:
for
variants at around 515.73 executions per second, which demonstrates the impact of function call overhead.forEach
implementations, the traditional function reference method slightly outperformed the trivial lambda with 1331068.63 versus 1326592.88 executions per second.While these are the tested approaches, other alternatives could include:
Understanding these differences can help in selecting the right iteration method based on performance requirements and code clarity. Each approach has trade-offs, and real-world performance can also vary based on the specific JavaScript engine optimizations in play.