var size = 0xffffff;
var data = Array.from({length: size}, (_, index) => index);
let sum = 0;
for (let i; i < size; i++) {
sum += data[array.length - 1];
}
let sum = 0;
for (let i; i < size; i++) {
sum += data.at(-1);
}
let sum = 0;
let length = data.length;
for (let i; i < size; i++) {
sum += data[length -1];
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array[] array.length - 1 | |
Array.at() -1 | |
Array[] cached array.length - 1 |
Test name | Executions per second |
---|---|
Array[] array.length - 1 | 34375700.0 Ops/sec |
Array.at() -1 | 35951580.0 Ops/sec |
Array[] cached array.length - 1 | 33454528.0 Ops/sec |
The provided benchmark tests various methods for accessing the last element of an array in JavaScript. The test compares three approaches:
Direct Access Using Array Length:
sum += data[array.length - 1];
array.length
is computed with every iteration.Using Array.at():
sum += data.at(-1);
Array.at()
method, which allows fetching elements at negative indices. In this case, -1
refers to the last element.Array.at()
is a more modern feature, it may not be supported in all environments (especially older browsers), requiring consideration of compatibility.Caching Array Length:
let length = data.length;
sum += data[length -1];
length
) to avoid recalculating it in every iteration.Array.at()
method showed the best performance in the benchmark, followed by caching the length, and then the direct access method.Array.at()
is compatible with the environments they are targeting. While modern browsers support it, older ones do not.In summary, the benchmark provides meaningful insights into the efficiency of accessing the last element of an array using different methods. The Array.at()
method, shown to be the fastest, demonstrates both syntactical elegance and performance efficiency. However, developers need to be mindful of browser compatibility when adopting newer features.