var N = 10000;
var result = new Uint8Array(N);
for (var i = 0; i < N; i++) {
result[i] = i;
}
var N = 10000;
var result = new Array(N);
for (var i = 0; i < N; i++) {
result[i] = i;
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Preallocate typed | |
Preallocate vanilla |
Test name | Executions per second |
---|---|
Preallocate typed | 326690.3 Ops/sec |
Preallocate vanilla | 52909.0 Ops/sec |
This benchmark tests the performance of two different approaches to preallocating and populating arrays in JavaScript: using a typed array (specifically Uint8Array
) versus using a vanilla JavaScript array (the standard Array
object). Both methods are designed to perform the same task—initializing an array with a sequence of numbers from 0
to N-1
, where N
is set to 10,000
.
Preallocate typed (Test Name: "Preallocate typed"):
var N = 10000;
var result = new Uint8Array(N);
for (var i = 0; i < N; i++) {
result[i] = i;
}
Uint8Array
, which is a type of typed array that represents an array of 8-bit unsigned integers. Typed arrays provide a way to work with binary data in JavaScript, and they have a fixed length once created. The array is initialized with the indices from 0
to N-1
.Preallocate vanilla (Test Name: "Preallocate vanilla"):
var N = 10000;
var result = new Array(N);
for (var i = 0; i < N; i++) {
result[i] = i;
}
Array
, initialized with N
elements. By default, the elements are set to undefined
until explicitly assigned a value. The loop fills the array with numbers from 0
to N-1
.The benchmark results indicate that the typed array approach (Preallocate typed
) outperforms the vanilla array approach (Preallocate vanilla
) significantly:
Typed Arrays (Pros):
Cons:
Uint8Array
can only hold values between 0
and 255
).Vanilla Arrays (Pros):
push
, pop
, etc.).Cons:
When deciding between typed arrays and vanilla arrays, it ultimately depends on the application's performance requirements and data management needs. For high-performance applications that deal with binary data or require memory efficiency (like games or multimedia applications), typed arrays are preferable. On the other hand, for general-purpose programming where flexibility and ease of use are more important than raw performance, vanilla arrays are sufficient.
Alternatives to using these approaches may include:
ArrayBuffer
can be employed in conjunction with typed arrays.