var n = 100000; // 100k
[Array(n).keys()].map(k => undefined);
Array.apply(null, { length: n });
Array.from({ length: n }, () => undefined);
Array(n).fill(undefined)
const arr = [];
for (let i = 0; i < n; i++) {
arr.push(undefined);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
[...Array(n).keys()].map(k => undefined) | |
Array.apply(null, { length: 4 }) | |
Array.from | |
Array(n).fill(undefined) | |
for loop push |
Test name | Executions per second |
---|---|
[...Array(n).keys()].map(k => undefined) | 440.9 Ops/sec |
Array.apply(null, { length: 4 }) | 866.8 Ops/sec |
Array.from | 481.8 Ops/sec |
Array(n).fill(undefined) | 5579.1 Ops/sec |
for loop push | 1232.7 Ops/sec |
Let's break down the provided benchmark definition and explain what's being tested, compared, and their pros and cons.
Benchmark Definition:
The benchmark measures how fast JavaScript engines can initialize an array with n
undefined items using different methods. The goal is to see which method is the fastest.
Methods Compared:
[...Array(n).keys()].map(k => undefined)
Array.apply(null, { length: n })
Array.from({ length: n }, () => undefined)
Array(n).fill(undefined)
const arr = []; for (let i = 0; i < n; i++) { arr.push(undefined); }
Pros and Cons of Each Approach:
n
is not a power of 2.Library Used:
None explicitly mentioned in the benchmark definition. However, some modern JavaScript engines might use optimized internal arrays or data structures that are not visible through the public API.
Special JS Features or Syntax:
The spread operator ([...Array(n).keys()].map(k => undefined)
) is a relatively new feature introduced in ECMAScript 2015 (ES6). It's designed to provide a concise way to create arrays from iterables. While it's not a special syntax, it's an optimization technique that can be used in various contexts.
Other Alternatives:
If you need to initialize an array with undefined items, other alternatives might include:
Array(n).map(() => undefined)
or Array(n).fill(undefined)
Keep in mind that the choice of method ultimately depends on your specific requirements, performance needs, and personal preference.