<!--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);
}
let v = 0;
for (let i1 = 0; i1 < 10000; i1++) {
if (d1[i1] !== undefined) {
v++;
}
}
let v = 0;
for (let i2 = 0; i2 < 10000; i2++) {
if (d2.has(i2)) {
v++;
}
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Creation: Object | |
Creation: Map |
Test name | Executions per second |
---|---|
Creation: Object | 91975.4 Ops/sec |
Creation: Map | 10409.6 Ops/sec |
In this benchmark, two data structure approaches in JavaScript are compared: using a plain object ({}
) and a Map
for storing key-value pairs. The benchmark measures the performance of checking for the existence of keys in both structures.
Plain Object ({}
)
let v = 0;
for (let i1 = 0; i1 < 10000; i1++) {
if (d1[i1] !== undefined) {
v++;
}
}
d1
. The existence of a property is determined using d1[i1] !== undefined
.Map
let v = 0;
for (let i2 = 0; i2 < 10000; i2++) {
if (d2.has(i2)) {
v++;
}
}
Map
d2
using the has
method, which checks if a key exists in the map without attempting to access its value.From the benchmark results:
{}
)Pros:
Cons:
undefined
check can lead to potential pitfalls if a property is set to undefined
(it may falsely indicate absence).hasOwnProperty
is adopted for checks.Pros:
has
is cleaner and explicitly checks for key existence without the risk of confusing undefined
values.Map
can accept keys of any data type (including objects).Map
is guaranteed based on the order of insertion.Cons:
Use Cases:
Map
when needing to handle various key types or when you want predictable iteration.Alternatives:
Performance Variability:
In conclusion, the choice between using a plain object or a Map
can significantly affect both performance and functionality based on the specific use case, and this benchmark provides insight into those trade-offs.