var length = 1000000;
var fillWith = 5;
const array = [Array(length)].map(() => fillWith);
const array = Array.apply([], { length }).fill(fillWith);
let index = length - 1;
const array = [];
while (index-- > 0) array[index] = fillWith;
const array = [];
for (let index = length - 1; index >= 0; index--) array[index] = fillWith;
const array = new Array(length).fill(fillWith);
const array = [];
array.length = length;
array.fill(fillWith);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Map | |
Array.apply + Fill | |
While Loop | |
For Loop | |
New Array + Fill | |
Array Literal With Length + Fill |
Test name | Executions per second |
---|---|
Map | 21.6 Ops/sec |
Array.apply + Fill | 0.0 Ops/sec |
While Loop | 16.2 Ops/sec |
For Loop | 16.2 Ops/sec |
New Array + Fill | 856.0 Ops/sec |
Array Literal With Length + Fill | 847.9 Ops/sec |
Let's break down the JavaScript microbenchmark and explain what's being tested.
Benchmark Purpose: The benchmark measures the performance of different ways to create and fill an array in JavaScript.
Options Compared:
Array.prototype.map()
Array.apply()
with a custom length and fill valuenew Array(length).fill(fillValue)
(a modern way of creating arrays)[]
literal with length
property set to the desired size, followed by fill()
methodPros and Cons:
Array.prototype.map()
: Pros - concise and readable; Cons - may incur additional overhead due to iterating over the array.Array.apply()
with a custom length and fill value: Pros - allows for fine-grained control over the array's creation; Cons - can be less readable and may have performance implications due to the use of apply()
.new Array(length).fill(fillValue)
: Pros - modern, concise, and efficient; Cons - not supported in older browsers.[]
literal with length
property set to the desired size, followed by fill()
method: Pros - concise and readable; Cons - may have performance implications due to the use of fill()
Library Usage: None of the options directly use a JavaScript library.
Special JS Features/Syntax:
The benchmark uses modern features like const
(const declaration), template literals (\r\n
in the script preparation code is not used, but this example shows its usage), and array destructuring (Array(length)
). These features are part of ECMAScript 2015 (ES6) syntax.
Alternatives: Other ways to create arrays could be tested, such as:
Math.pow()
or other numerical methods to calculate the desired sizeHowever, these alternatives may not provide meaningful results or are already covered by existing benchmarks.
Overall, this benchmark provides a comprehensive comparison of various methods for creating and filling arrays in JavaScript, covering both modern and traditional approaches.