2020-02-01 05:10:50 +01:00
|
|
|
export class Dict<V> {
|
2020-02-03 07:05:56 +01:00
|
|
|
private _items: Map<string, V> = new Map();
|
2019-02-08 11:56:33 +01:00
|
|
|
|
2020-02-01 05:10:50 +01:00
|
|
|
get(key: string): V | undefined {
|
2020-02-03 07:05:56 +01:00
|
|
|
return this._items.get(this._munge(key));
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 07:18:13 +01:00
|
|
|
set(key: string, value: V): Dict<V> {
|
2020-02-03 07:05:56 +01:00
|
|
|
this._items.set(this._munge(key), value);
|
2020-02-03 07:18:13 +01:00
|
|
|
return this;
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-01 05:10:50 +01:00
|
|
|
has(key: string): boolean {
|
2020-02-03 07:05:56 +01:00
|
|
|
return this._items.has(this._munge(key));
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 07:41:38 +01:00
|
|
|
delete(key: string): void {
|
2020-02-03 07:05:56 +01:00
|
|
|
this._items.delete(this._munge(key));
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 08:42:48 +01:00
|
|
|
keys(): Iterator<string> {
|
|
|
|
return this._items.keys();
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 08:51:09 +01:00
|
|
|
values(): Iterator<V> {
|
|
|
|
return this._items.values();
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 09:04:48 +01:00
|
|
|
[Symbol.iterator](): Iterator<[string, V]> {
|
|
|
|
return this._items.entries();
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2020-02-03 07:58:50 +01:00
|
|
|
get size(): number {
|
2020-02-03 07:05:56 +01:00
|
|
|
return this._items.size;
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
|
|
|
|
2019-03-25 15:55:39 +01:00
|
|
|
clear(): void {
|
2020-02-03 07:05:56 +01:00
|
|
|
this._items.clear();
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|
2019-03-25 15:55:39 +01:00
|
|
|
|
2019-12-26 15:34:17 +01:00
|
|
|
// Convert keys to strings and handle undefined.
|
2020-02-01 05:10:50 +01:00
|
|
|
private _munge(key: string): string | undefined {
|
2019-03-25 15:55:39 +01:00
|
|
|
if (key === undefined) {
|
|
|
|
blueslip.error("Tried to call a Dict method with an undefined key.");
|
|
|
|
return undefined;
|
|
|
|
}
|
2020-02-01 05:10:50 +01:00
|
|
|
|
|
|
|
if (typeof key !== 'string') {
|
|
|
|
blueslip.error("Tried to call a Dict method with a non-string.");
|
|
|
|
key = (key as object).toString();
|
|
|
|
}
|
|
|
|
|
2020-02-03 07:05:56 +01:00
|
|
|
return key;
|
2019-03-25 15:55:39 +01:00
|
|
|
}
|
2019-02-08 11:56:33 +01:00
|
|
|
}
|