vartest = test = Array(10000)
.fill('')
.map((_, i) => ({ key: 'key' + i, value: 'value' + i }));
const result = Object.fromEntries(test.map(({ key, value }) => [key, value]));
const result2 = test.reduce((acc, { key, value }) => {
acc[key] = value;
return acc;
}, {});
const result3 = test.reduce((acc, { key, value }) => ({acc, [key]: value}), {});
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
fromEntries | |
reducer | |
reducer with acc |
Test name | Executions per second |
---|---|
fromEntries | 816.2 Ops/sec |
reducer | 2097.2 Ops/sec |
reducer with acc | 0.1 Ops/sec |
Benchmark Overview
The provided benchmark is designed to compare the performance of two approaches for creating an object from an array of key-value pairs: Object.fromEntries
and the reduce
method.
Options Compared
There are three test cases:
Object.fromEntries
method, which creates a new object by iterating over an iterable (in this case, an array) of key-value pairs.reduce
method, which applies a callback function to each element in the array, accumulating a result object.Pros and Cons
Library
In this benchmark, Object.fromEntries
is used as a library function. It's a modern JavaScript method introduced in ECMAScript 2015 (ES6) that creates an object from an iterable of key-value pairs.
Other Considerations
When choosing between these two approaches, consider the following:
Object.fromEntries
method is generally more concise and readable, making it a better choice for simple use cases.Alternative Approaches
Other ways to create an object from an array of key-value pairs include:
Object.fromEntries
or reduce
, though.Here's an example using Array.prototype.reduce()
:
const result = test.reduce((acc, { key, value }) => ({ ...acc, [key]: value }), {});
And here's an example using Array.prototype.forEach()
, assuming a target object obj
:
test.forEach(({ key, value }) => obj[key] = value);
Note that the latter approach might not be suitable for all use cases, especially when dealing with large datasets or performance-critical code.