var n = 100000;
var arr = new Array(n);
for (var i = 0; i < n; i++) {
arr[i] = new Array();
}
var arr = [];
for (var i = 0; i < n; i++) {
arr[i] = [];
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Array constructor - 100000 items | |
Array literal (assign by index) - 100000 items |
Test name | Executions per second |
---|---|
Array constructor - 100000 items | 72.8 Ops/sec |
Array literal (assign by index) - 100000 items | 90.2 Ops/sec |
The benchmark presented compares the performance of two different methods for creating and populating arrays in JavaScript: using the Array
constructor versus using array literals. Below is a detailed analysis of the benchmark, including the measures being compared, their pros and cons, as well as alternative options.
Array Constructor:
var arr = new Array(n);for (var i = 0; i < n; i++) { arr[i] = new Array(); }
Array Literal:
var arr = [];for (var i = 0; i < n; i++) { arr[i] = []; }
The benchmark results indicate that:
new Array(n)
).Memory Management: The choice between these two methods can have implications in terms of memory usage and garbage collection, especially when working with larger arrays or when performance is critical.
Use Case: The choice may depend on the specific context of use. For example, if you need an array of a predetermined size, an Array constructor can be appropriate, but for most casual uses, the array literal suffices.
Other methods for creating and populating arrays include:
Using Array.from()
: This method can create a new, shallow-copied Array instance from an array-like or iterable object. It can also take a mapping function as the second argument.
Using Array.fill()
: If you want to initialize an array with the same value, you can use Array(n).fill(value)
, which creates an array of size n
filled with the specified value.
Using the Spread Operator: By combining it with other iterable sources like Array(...Array(n).keys())
, developers can create and populate arrays more flexibly.
This benchmark clearly illustrates the performance differences between two commonly used methods of creating arrays in JavaScript. Developers should consider the context and requirements of their applications before deciding which method to use, keeping in mind that the array literal approach is generally preferred for its simplicity and performance benefits.