var arr = [];
for(let i = 0; i < 10000; i++) {
arr.push(Math.random());
}
var arrLength = arr.length;
let sum = 0;
for(let i = 0; i < arrLength; i++) {
const el = arr[i];
sum += el;
sum += el;
sum += el;
sum += el;
sum += el;
}
let sum = 0;
for(let i = 0; i < arrLength; i++) {
sum += arr[i];
sum += arr[i];
sum += arr[i];
sum += arr[i];
sum += arr[i];
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
cached indexed value | |
index each iteration |
Test name | Executions per second |
---|---|
cached indexed value | 14675.0 Ops/sec |
index each iteration | 7606.6 Ops/sec |
The benchmark you provided tests two different approaches to indexing an array in JavaScript: caching the indexed value and accessing the array directly in a loop. Here’s a breakdown of the tests, the underlying concepts, and the comparisons they entail.
Cached Indexed Value
let sum = 0;
for(let i = 0; i < arrLength; i++) {
const el = arr[i];
sum += el;
sum += el;
sum += el;
sum += el;
sum += el;
}
arr[i]
into the variable el
before entering the repetitive addition. Each iteration uses the cached value rather than accessing the array multiple times.el
) is generally faster than accessing an array element repeatedly due to reduced lookups.arrLength
) is small, the performance difference may be negligible, as the overhead of caching might not be justified.Index Each Iteration
let sum = 0;
for(let i = 0; i < arrLength; i++) {
sum += arr[i];
sum += arr[i];
sum += arr[i];
sum += arr[i];
sum += arr[i];
}
14675.04
executions per second7606.61
executions per secondIn this benchmark, the cached indexed value approach outperforms the regular index access by a significant margin. This clearly illustrates that indexing optimization can lead to notable performance gains in JavaScript.
Using forEach
:
array.forEach(function(el) { })
can be used. However, this introduces overhead as it creates function contexts for each element and may result in slower performance.for...of Loop:
for...of
syntax provides an easy way to iterate over iterable collections, including arrays. While it often enhances readability, performance can vary based on implementation.Using libraries:
In summary, the benchmark effectively illustrates the performance implications of accessing array values directly compared to caching them. For developers, employing caching strategies can lead to more efficient code, especially in scenarios involving large datasets or computationally intensive tasks. As always, performance should be considered in the context of the specific application and workload, and benchmarks like these can help in making informed decisions.