function generateAnArray(gvv) {
let arr = [];
for(let i = 0; i < 100; i++) {
arr.push({
id: i,
value: `value${i}`
});
}
return arr;
}
xs = generateAnArray();
let m1 = new Map(xs.map((x) => [x.id, x]));
let m2 = xs.reduce((map, x) => map.set(x.id, x), new Map())
let m3 = new Map()
for (x of xs) {
m3.set(x.id, x)
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
map | |
reduce | |
for...of |
Test name | Executions per second |
---|---|
map | 413060.6 Ops/sec |
reduce | 631250.2 Ops/sec |
for...of | 87462.8 Ops/sec |
The benchmark you provided focuses on different approaches to creating a JavaScript Map
from an array of objects. Each approach uses a different method or syntax to achieve the same goal, and the performance of each method is measured in terms of "executions per second."
Using Array.prototype.map()
:
let m1 = new Map(xs.map((x) => [x.id, x]));
map()
function to transform the array into an array of key-value pairs (arrays themselves), which are then passed into the Map
constructor.Using Array.prototype.reduce()
:
let m2 = xs.reduce((map, x) => map.set(x.id, x), new Map());
reduce()
to iteratively populate a new Map
, where each entry is set using the set()
method.Map
, avoiding the extra intermediate array created in the map()
approach.map()
method, especially for those unfamiliar with reduce()
.Using for...of
Loop:
let m3 = new Map();
for (x of xs) {
m3.set(x.id, x);
}
for...of
loop to iterate over the items in the array and populates the Map
directly.According to the benchmark results:
reduce
method has the highest performance, achieving approximately 631,250.19 executions per second.map
method is slightly less efficient, with around 413,060.56 executions per second.for...of
loop performs the worst at about 87,462.77 executions per second.reduce
method can be more efficient in creating a Map
compared to the other approaches, likely due to its direct nature of building the Map
without an intermediate array.Other alternatives not covered in the benchmark could include:
_.map()
, _.reduce()
, etc.), although using external libraries may introduce additional overhead.flatMap()
could be considered for future benchmarks, as they can handle both mapping and flattening in one go if the input data structure supports it.In summary, each approach has its strengths and weaknesses, and the choice of method can impact performance and user maintainability in code bases.