var N = 10000;
var result = new Array(N);
for (var i = 0; i < N; i++) {
result[i] = {n: N};
}
var N = 10000;
var result = [];
for (var i = 0; i < N; i++) {
result.push({n: N});
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Preallocate | |
Push |
Test name | Executions per second |
---|---|
Preallocate | 5495.9 Ops/sec |
Push | 6753.1 Ops/sec |
The benchmark you provided evaluates two different methods of initializing and populating an array in JavaScript: "Preallocate" and "Push".
Preallocate Method
Code:
var N = 10000;
var result = new Array(N);
for (var i = 0; i < N; i++) {
result[i] = {n: N};
}
Description: This method preallocates memory for an array with a set size (N). The array is created with new Array(N)
, which reserves space for 10,000 elements upfront. Then, the loop fills the array with objects.
Pros:
Cons:
Push Method
Code:
var N = 10000;
var result = [];
for (var i = 0; i < N; i++) {
result.push({n: N});
}
Description: This method starts with an empty array and uses the push()
method to add 10,000 objects to it during the loop.
Pros:
Cons:
From the provided benchmark results:
The benchmark indicates that the "Preallocate" method outperformed the "Push" method in this specific test case. However, the actual performance can vary depending on factors like the JavaScript engine optimization, the execution environment, and how the benchmarks are run (e.g., browser version, or device used).
Other alternatives to consider for array initialization and population include:
Using Typed Arrays: For performance-critical applications, such as numerical computations, Typed Arrays provide an alternative that utilizes a contiguous block of memory and can offer better performance with numerical data. Examples include Int32Array
, Float64Array
, etc.
Using Array.from: This method allows for array creation based on array-like structures or iterable objects. This can be useful for creating arrays from existing collections efficiently.
Spread Operator: The spread operator (...
) can be used in newer JavaScript to expand iterable structures into array literals, which might be more readable in some scenarios.
In summary, choosing between these approaches depends on the specific requirements of your application, such as performance needs, memory considerations, and coding style preferences.