class Something extends Float32Array {
constructor (val) {
super(1);
this[0] = val;
}
get x () { return this[0]; }
set x (v) { this[0] = v; }
}
const size = 10000;
const array = new Array(16).fill(1);
const arrayEF32 = new Something (16);
const arrayF32 = new Float32Array (16);
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;
}
let sum = 0;
for (let i = 0; i < size; i++) {
arrayF32[0] = Math.random () * 1000;
sum += arrayF32[0];
}
let sum = 0;
for (let i = 0; i < size; i++) {
arrayEF32.x = Math.random () * 1000;
sum += arrayEF32.x;
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
array[0] | |
set / get | |
float 32 | |
extended float 32 |
Test name | Executions per second |
---|---|
array[0] | 10219.9 Ops/sec |
set / get | 1131.7 Ops/sec |
float 32 | 9206.7 Ops/sec |
extended float 32 | 9062.2 Ops/sec |
The benchmark tests provided in the JSON object focus on measuring the performance of different approaches to accessing and setting values in arrays and specialized arrays in JavaScript. The primary objective is to compare the efficiency of standard arrays, Float32Arrays, and a custom class extending Float32Array that implements getters and setters.
Array Access (array[0]
):
Object with Getters/Setters (obj.x
):
Float32Array Access (arrayF32[0]
):
Custom Class Extended from Float32Array (arrayEF32.x
):
Something
, which extends Float32Array and implements a getter (x
) to access the first element.array[0]
) exhibited the best performance, executing approximately 10,220 times per second. This approach benefits from the simplicity and efficiency of raw array operations.Float32Array
offers a respectable performance (around 9,207 executions per second), highlighting its efficiency in numerical tasks and operations.extended float 32
) performed slightly worse than the native Float32Array. Although it retains some performance benefits, the additional overhead from using a getter might diminish its performance advantage.When dealing with performance-sensitive applications, particularly those involving numerical computations, developers may consider alternatives such as:
Ultimately, the choice of data structure and access patterns should be dictated by the specific performance needs of the application, balancing efficiency with the required functionality and maintainability.