var arr = [];
for (var i = 0; i < 1000; i++) {
arr[i] = i;
}
function someFn(ix) {
return ix * 5;
}
var l = arr.length;
while(l--) {
someFn(arr[l]);
}
for (var i = 0; i < arr.length; i++) {
someFn(arr[i]);
}
var l = arr.length;
for (var i = 0; i < l; i++) {
someFn(arr[i]);
}
var l = arr.length;
var result=0;
for (var i = 0; i < l; i++) {
result += arr[i] * 5;
}
var result=0;
for (var i = 0; i < arr.length; i++) {
result += arr[i] * 5;
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
while | |
for | |
for 2 | |
for 3 | |
for 4 |
Test name | Executions per second |
---|---|
while | 7347.5 Ops/sec |
for | 4936.2 Ops/sec |
for 2 | 7191.0 Ops/sec |
for 3 | 13634.3 Ops/sec |
for 4 | 6854.7 Ops/sec |
Let's dive into the world of JavaScript microbenchmarks!
Benchmark Definition
The provided JSON represents a benchmark definition for testing the performance of different loops in JavaScript. The script preparation code defines an array arr
with 1000 elements, and a function someFn
that takes an index ix
as input and returns the result of multiplying ix
by 5.
Loop Options Compared
The benchmark compares four different loop structures:
while (l--) { someFn(arr[l]); }
for (var i = 0; i < arr.length; i++) { someFn(arr[i]); }
for (var i = 0; i < l; i++) { someFn(arr[i]); }
(note: here, l
is a loop control variable, not the length of the array)for (var i = 0; i < arr.length; i++) { result += arr[i] * 5; }
Pros and Cons of Each Approach
l
on each iteration.i
can lead to slower performance compared to using an index variable, as it requires more arithmetic operations.i
) even though it's not explicitly used.Library Usage
None of the benchmark definitions use any external libraries, which is a good thing since we're only testing the performance of the loops themselves.
Special JS Features
There are no special JavaScript features (e.g., let
/const
, async/await) being used in this benchmark. However, it's worth noting that the use of var
for declaring variables can lead to issues with scope and hoisting in some cases.
Alternative Approaches
Other loop structures that could be tested in a similar benchmark include:
Array.prototype.forEach()
or Array.prototype.map()
for...of
loopswhile
loops with more complex logic (e.g., looping over an array of arrays)Keep in mind that the performance differences between these approaches may vary depending on the specific use case and implementation details.