<!--your preparation HTML code goes here-->
const d1 = {};
for (let i = 0; i < 10000; i++) {
d1[i] = i;
}
const d2 = new Map();
for (let i = 0; i < 10000; i++) {
d2.set(i, i);
}
for (let i1 = 0; i1 < 10000; i1++) {
d1[i1] = i1 * 2;
}
for (let i2 = 0; i2 < 10000; i2++) {
d2.set(i2, i2 * 2);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Creation: Object | |
Creation: Map |
Test name | Executions per second |
---|---|
Creation: Object | 65097.8 Ops/sec |
Creation: Map | 3359.6 Ops/sec |
The benchmark defined here is designed to test the performance of two different data structures in JavaScript: a regular JavaScript object ({}
) and a Map
object. Specifically, it compares the performance of setting values in both data structures.
JavaScript Object ({}
):
for (let i1 = 0; i1 < 10000; i1++) { d1[i1] = i1 * 2; }
d1
) is populated with keys from 0 to 9999, and the corresponding values are twice those keys.Map:
for (let i2 = 0; i2 < 10000; i2++) { d2.set(i2, i2 * 2; }
Map
object (d2
) is being used. The same keys from 0 to 9999 are set, with values that are twice those keys.JavaScript Object:
Pros:
Map
for simple key-value storage.Cons:
Map:
Pros:
.set()
, .get()
, and .delete()
that can make the code cleaner.Cons:
Map
.When deciding between using an object or a Map
in JavaScript, developers should take into account the specific requirements of their application:
Map
is preferable despite the performance trade-off.Map
provide a more explicit and declarative way to work with key-value pairs.Other alternatives to consider beyond objects and maps include:
Map
, but the keys must be objects, and the entries are weakly referenced, allowing for garbage collection.Set
, but allows only objects as values, and also weakly references them.In summary, the benchmark provides a clear insight into the performance of basic data structure manipulations in JavaScript, highlighting key differences between objects and Map
, guiding developers in their choice of data structures based on their specific needs and performance considerations.