<!--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++) {
delete d1[i1];
}
for (let i2 = 0; i2 < 10000; i2++) {
d2.delete(i2);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Creation: Object | |
Creation: Map |
Test name | Executions per second |
---|---|
Creation: Object | 6008.3 Ops/sec |
Creation: Map | 9548.0 Ops/sec |
The provided benchmark tests performance differences between using a plain JavaScript object ({}
) and a JavaScript Map
in terms of deletion operations. Below is an explanation of what is being tested, the approaches involved, their pros and cons, along with consideration of libraries and alternative solutions.
Objective:
The benchmark aims to compare the deletion performance of elements from two data structures: a standard JavaScript object and a Map
.
Object Deletion:
for (let i1 = 0; i1 < 10000; i1++) {
delete d1[i1];
}
d1
.Map Deletion:
for (let i2 = 0; i2 < 10000; i2++) {
d2.delete(i2);
}
Map
object d2
.The benchmark results indicate that the deletion operation from the Map
is significantly faster than from the plain JavaScript object. The following execution speeds were recorded:
{}
):Pros:
Cons:
Object.prototype
, potentially causing issues with property name collisions unless checked.Map
:Pros:
Cons:
Use Cases: When you need a simple key-value storage without high performance needs, objects are sufficient. However, if you require frequent additions and deletions, or need to use non-string keys, Map
is the better choice.
Alternatives: Other alternatives include:
Map
, but entries can be garbage collected if there are no other references to the keys, useful for memory management.This benchmark effectively illustrates the performance differences in deletion between JavaScript objects and maps. It highlights the scenarios in which each structure can be most effective and guides developers in selecting the right data structure for optimal performance depending on their specific use cases.