var M = 1000,
N = 500;
const arr = [];
for(let i = 0; i < M; i += 1) {
arr[i] = [];
for(let j = 0; j < N; j += 1)
arr[i][j] = Math.random() * 2 - 1;
}
return arr;
const arr = Array(M).fill(0).map(a => Array(N).fill(0).map(b => Math.random() * 2 - 1));
return arr;
const arr = Array.from({ length: M }, () => Array.from({ length: N }, () => Math.random() * 2 - 1));
return arr;
const arr = [Array(M)].map(a => [Array(N)].map(b => Math.random() * 2 - 1));
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
a | |
b | |
c | |
d |
Test name | Executions per second |
---|---|
a | 13.3 Ops/sec |
b | 20.1 Ops/sec |
c | 13.7 Ops/sec |
d | 20.2 Ops/sec |
Let's break down the provided benchmark and explain what's being tested.
Benchmark Definition
The benchmark is designed to measure the performance of creating and populating a 2D nested array with random numbers. The input parameters are:
M
: The number of rows in the 2D array.N
: The number of columns in the 2D array.Options Compared
There are four different approaches compared:
for (let i = 0; i < M; i += 1) {
arr[i] = [];
for (let j = 0; j < N; j += 1)
arr[i][j] = Math.random() * 2 - 1;
}
This approach requires explicit loop control and can be less efficient due to the overhead of loop management.
Array.fill()
to create an array of size M
and then maps over it using another map()
function to create a 2D array:const arr = Array(M).fill(0).map(a => Array(N).fill(0).map(b => Math.random() * 2 - 1));
This approach uses the optimized Array.fill()
and map()
functions, which are generally faster than manual loops.
Array.from()
to create an array from a constructor function that generates each row, and then maps over it using another map()
function:const arr = Array.from({ length: M }, () => Array.from({ length: N }, () => Math.random() * 2 - 1));
This approach uses the optimized Array.from()
function and map functions.
[...]
) to create a new array by spreading an existing array, and then maps over it using another map()
function:const arr = [...Array(M)].map(a => [...Array(N)].map(b => Math.random() * 2 - 1));
This approach uses the optimized spread operator.
Pros and Cons
Here are some pros and cons of each approach:
Array.from()
.Other Considerations
When comparing these approaches, consider factors such as:
Libraries and Special Features
None of the provided benchmark cases use any external libraries. However, it's worth noting that some JavaScript engines (like V8) have built-in optimizations for certain array operations.
Special JS Feature
There are no special JS features mentioned in the benchmark case.