var arr = [];
const randomizeArray = () => {
for (let i = 0; i < 50000; i++) {
arr[i] = Math.floor(Math.random() * 100000);
}
}
randomizeArray();
let dummy = 0;
for (let j = 0; j < 100; j++){
for (let i in arr) {
dummy += i;
}
}
let dummy = 0;
for (let j = 0; j < 100; j++){
for (let i of arr) {
dummy += i;
}
}
let dummy = 0;
for (let j = 0; j < 100; j++){
for (let i = 0; i < arr.length; i++) {
dummy += arr[i];
}
}
let dummy = 0;
for (let j = 0; j < 100; j++){
let length = arr.length;
for (let i = 0; i < length; i++) {
dummy += arr[i];
}
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
for-in | |
for-of | |
native | |
native - cache lengh |
Test name | Executions per second |
---|---|
for-in | 1.3 Ops/sec |
for-of | 227.2 Ops/sec |
native | 1.8 Ops/sec |
native - cache lengh | 3.5 Ops/sec |
I'll break down the provided benchmark and explain what's being tested, compared options, pros and cons of each approach, and other considerations.
Benchmark Overview
The benchmark measures the performance of three different ways to iterate over an array in JavaScript: for-in
, for-of
, and native (using the Array.prototype.forEach()
method). The test case is as follows:
arr
) with random values.for-in
: uses the in
operator to get the indices of the array elements.for-of
: uses the of
keyword to get the elements of the array.Array.prototype.forEach()
method.Comparison Options
The three options are compared in terms of execution time, which is measured as "ExecutionsPerSecond". This metric represents how many iterations of the loop can be completed per second on a specific device.
Pros and Cons of Each Approach
for-in
:in
operator, which may trigger unnecessary comparisons or method calls (e.g., when checking for property existence).for-of
:of
keyword may not be familiar to all developers.Array.prototype.forEach()
):Array.prototype.forEach()
method), which can add complexity.Other Considerations
for-of
approach has good cache locality due to the way it accesses elements in contiguous memory locations. This can lead to faster performance, as the CPU can execute multiple iterations of the loop together.for-in
and for-of
approaches may not work in older JavaScript environments or browsers that don't support modern iteration syntax.Alternative Approaches
Other alternatives for iterating over arrays include:
for
loops with indices (arr[i] = 0; while (i < arr.length) { ... }
)map()
, filter()
, or reduce()
to transform the array.map
and forEach
functions.In this specific benchmark, the native (Array.prototype.forEach()
) approach is expected to perform well due to its optimized implementation and caching mechanisms. However, the actual performance results may vary depending on the device, browser, and JavaScript environment used.