-
-
Save mhofman/fb6497e29e1eaaf522363c6d2d8217c6 to your computer and use it in GitHub Desktop.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
const KEYS = 1; | |
const VALUES = 2; | |
const KEYS_VALUES = 3; | |
export default class WeakValueMap { | |
#map = new Map(); | |
#group = new FinalizationGroup((iterator) => { | |
for (const key of iterator) { | |
this.#map.delete(key); | |
} | |
}); | |
constructor(iterable) { | |
if (iterable !== undefined && iterable !== null) { | |
for (const [key, value] of iterable) { | |
this.set(key, value); | |
} | |
} | |
} | |
set(key, value) { | |
const existingRef = this.#map.get(key); | |
if (existingRef) this.#group.unregister(existingRef); | |
const newRef = new WeakRef(value); | |
this.#map.set(key, newRef); | |
this.#group.register(value, key, newRef); | |
} | |
has(key) { | |
const w = this.#map.get(key); | |
if (w === undefined) { | |
return false; | |
} | |
if (w.deref() === undefined) { | |
this.#map.delete(key); | |
this.#group.unregister(w); | |
return false; | |
} | |
return true; | |
} | |
get(key) { | |
const w = this.#map.get(key); | |
if (w === undefined) { | |
return undefined; | |
} | |
const v = w.deref(); | |
if (v === undefined) { | |
this.#map.delete(key); | |
this.#group.unregister(w); | |
return undefined; | |
} | |
return v; | |
} | |
delete(key) { | |
const w = this.#map.get(key); | |
if (w) { | |
this.#map.delete(key) | |
this.#group.unregister(w); | |
return w.deref() !== undefined; | |
} | |
return false; | |
} | |
clear() { | |
for (const w of this.#map.values()) { | |
this.#group.unregister(w); | |
} | |
this.#map.clear(); | |
} | |
#iterator = function* iterator(type) { | |
for (const [key, weak] of this.#map) { | |
const v = weak.deref(); | |
if (v === undefined) { | |
this.#map.delete(key); | |
this.#group.unregister(weak); | |
} else if (type === KEYS) { | |
yield key; | |
} else if (type === VALUES) { | |
yield v; | |
} else { | |
yield [key, v]; | |
} | |
} | |
}; | |
keys() { | |
return this.#iterator(KEYS); | |
} | |
values() { | |
return this.#iterator(VALUES); | |
} | |
entries() { | |
return this.#iterator(KEYS_VALUES); | |
} | |
forEach(callback, thisArg) { | |
for (const [key, value] of this) { | |
callback.call(thisArg, key, value, this); | |
} | |
} | |
} | |
Object.defineProperty(WeakValueMap.prototype, Symbol.iterator, { | |
value: WeakValueMap.prototype.entries, | |
writable: true, | |
enumerable: false, | |
configurable: true, | |
}); |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment