<!--your preparation HTML code goes here-->
var myMap = new Map();
for (let i = 0; i < 200; i++) {
const key = {};
const value = {value: Math.random()};
myMap.set(key, value);
}
myMap.forEach((value, key) => {
console.log(value, key);
});
myMap.clear();
myMap.forEach((value, key) => {
console.log(value, key);
myMap.delete(key);
});
for (const entry of myMap) {
console.log(entry[1], entry[0]);
}
myMap.clear();
for (const entry of myMap) {
console.log(entry[1], entry[0]);
myMap.delete(entry[0]);
}
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
forEach + clear | |
forEach + delete | |
for...of + clear | |
for...of + delete |
Test name | Executions per second |
---|---|
forEach + clear | 36301300.0 Ops/sec |
forEach + delete | 105745880.0 Ops/sec |
for...of + clear | 44519368.0 Ops/sec |
for...of + delete | 133537488.0 Ops/sec |
The benchmark JSON provided evaluates different methods of iterating over a JavaScript Map
object and manipulating its data, specifically focusing on efficiency in terms of execution speed. Here's a breakdown of what is being tested in this benchmark:
forEach + clear
myMap.forEach((value, key) => { ... });
Map
using the built-in forEach
method and then clearing the Map
with myMap.clear()
at the end.forEach + delete
myMap.forEach((value, key) => { ...myMap.delete(key); });
Map
afterward, it deletes individual entries using myMap.delete(key)
during the iteration.for...of + clear
for (const entry of myMap) { ... };
for...of
statement to iterate over the entries of the Map
, followed by clearing the Map
afterward.for...of + delete
for (const entry of myMap) { ...myMap.delete(entry[0]); };
for...of
loop to iterate through the Map
, but instead of clearing, individual entries are removed using myMap.delete(entry[0])
.forEach + clear
Map
is traversed, which might be less efficient if we have a very large Map
since all entries must be iterated over unnecessarily after deciding to clear.forEach + delete
Map
.Map
and potentially lead to slower execution times due to rehashing.for...of + clear
Map
structure during the iteration until the clear operation is performed.forEach
, which might deter less experienced developers.for...of + delete
forEach + delete
, it can be less efficient due to the same concerns around maintaining structure during deletion.for
loop can also be used to manually access Map
entries. This may offer more flexibility, but it requires additional boilerplate code.Map
like preservation of insertion order and type relevance of keys.In summary, the benchmark tests various strategies for iterating and modifying a Map
in JavaScript, each with distinct advantages and drawbacks, revealing how those trade-offs can impact performance in different contexts.