<!--your preparation HTML code goes here-->
const d = {};
for (let i = 0; i < 10000; i++) {
d[i] = i;
}
const d = new Map();
for (let i = 0; i < 10000; i++) {
d.set(i, i);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Creation: Object | |
Creation: Map |
Test name | Executions per second |
---|---|
Creation: Object | 51097.0 Ops/sec |
Creation: Map | 3517.0 Ops/sec |
The benchmark provided tests the performance of two different data structures in JavaScript: a plain object ({}
) and a Map
. Specifically, the benchmark is designed to compare the time it takes to create and populate each data structure with 10,000 key-value pairs.
Creation: Object
const d = {};
for (let i = 0; i < 10000; i++) {
d[i] = i;
}
Creation: Map
const d = new Map();
for (let i = 0; i < 10000; i++) {
d.set(i, i);
}
Map
instance is created and populated using the .set()
method, which maps the integer keys to their corresponding values.Pros:
Cons:
Pros:
Map
can use any value (including objects) as keys, unlike objects which only allow strings and symbols.Map
, which can be beneficial in certain scenarios.Map
provides better performance for frequent additions and deletions compared to objects.Cons:
Map
maintains additional metadata to manage its entries.Performance Differences: The benchmark results show that creating an object (ExecutionsPerSecond: 15964.15
) is significantly faster than creating a Map
(ExecutionsPerSecond: 2661.23
). This emphasizes that for scenarios focused purely on creation and static property access, an object may be preferred for performance critical applications.
Use Cases:
Map
.Map
when dealing with dynamic key sets, when you need to preserve insertion order, or when keys might include complex types (like objects).Apart from using plain objects and Map
, other alternatives for storing data include:
Map
, but has a garbage collection feature that allows for keys that are objects to be removed if there are no strong references to them. This is useful for memory management.In summary, the provided benchmark effectively highlights the performance differences between two fundamental JavaScript structures, offering insights into when to appropriately use each one based on their strengths and limitations.