I know that WeakMap
and WeakSet
are not iterable for security reasons, that is, “to prevent attackers from seeing the garbage collector’s internal behavior,” but then, this means you cannot clone a WeakMap
or WeakSet
the way you clone a Map
or Set
, cloned_map = new Map(existing_map), cloned_set = new Set(existing_set)
.
How do I clone a WeakMap
or WeakSet
in Javascript? By cloning, I mean creating another WeakMap
or WeakSet
with the same weak references.
Why are
WeakMap
/WeakSet
not "cloneable"?WeakMap
s andWeakSet
s are not "cloneable" for the same reason as why you can't iterate them.Namely to avoid exposing the latency between the time the key becomes inaccessible and when it is removed from the
WeakMap
/WeakSet
. (The reasoning for this is already covered your linked question )ECMAScript 2023 Language Specification, 24.3 WeakMap Objects
How iterability and clonability are linked
Think about how
new WeakMap(existingWeakMap)
would need to be implemented.To create a new
WeakMap
from an existing one would require iterating over its elements and copying them over to the new one.And depending on how many elements there are in the
WeakMap
, this operation would take a varying amount of time (it would take a lot longer to copy aWeakMap
with 100'000 entries than to copy one with none).And that gives you an attack vector: You can guesstimate the number of key-value pairs within the WeakMap by measuring how long it takes to clone it.
Here's a runnable snippet that uses this technique to guess to number of entries within a
Map
(could be easily used againstWeakMap
, if it were clonable):Note that due to Spectre mitigations
performance.now()
in browsers is typically rounded, so a larger margin of error in the guesses should be expected.On my machine (Ubuntu 20, Chrome 107) i got the following output (YMMV):
As you can see it is incredibly easy to guess the size of a
Map
just by cloning it. (by refining the algorithm / taking more samples / using a more accurate time source it could be made even more accurate)And that's why you can't clone
WeakMap
/WeakSet
.A possible alternative
If you need a clonable / iterable
WeakMap
/WeakSet
you could build your own by usingWeakRef
andFinalizationRegistry
.Here's an example how you could build an iterable
WeakMap
: