// Setup phase - common for both tests
const size = 10000;
const array = new Array(16).fill(1); // Fill array with ones for consistency
const obj = {
get x() {
return array[0];
},
set x(value) {
array[0] = value;
}
};
let sum = 0;
for (let i = 0; i < size; i++) {
array[0] = Math.random () * 1000;
sum += array[0];
}
let sum = 0;
for (let i = 0; i < size; i++) {
obj.x = Math.random () * 1000;
sum += obj.x;
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
array[0] | |
set / get |
Test name | Executions per second |
---|---|
array[0] | 76786.6 Ops/sec |
set / get | 75136.3 Ops/sec |
The provided benchmark compares two different approaches to setting and getting a value in JavaScript: directly accessing an array element (using array[0]
) versus using accessor properties in an object (defined by obj.x
). The focus is on measuring the performance differences between these two approaches in terms of how many times they can execute within a given time frame.
Direct Array Access (array[0]
)
array[0]
is updated to a random number, and then it is added to a cumulative sum. This operation is repeated for a specified number of iterations (size
).Accessor Properties via Object (obj.x
)
x
. Setting obj.x
invokes the setter which modifies array[0]
, and then retrieves the updated value through the getter for the cumulative sum.Using Plain Functions: Instead of using getters and setters, you might consider defining functions to encapsulate the behavior. While this reduces some of the direct property overhead, it still requires function invocations, which can have similar performance characteristics to using accessor properties.
Proxy Objects: If more complex access patterns are required (like logging, validation, etc.), JavaScript's Proxy
objects can be used. While they offer more powerful abstractions, they may introduce additional performance overhead due to the flexibility they provide.
Typed Arrays: In situations where performance is critical, using typed arrays (like Int32Array
, Float64Array
, etc.) could provide better performance over regular arrays, especially in computational-heavy scenarios where data types are known in advance.
In conclusion, when deciding between direct array access and using accessor properties, developers must weigh the importance of performance against the need for encapsulation and flexibility based on the specific requirements of their applications.