Source: collections/Cache.js

  1. const { Dictionary, DictionaryMapBased, symbolDictionaryGet } = require('./Dictionary')
  2. , { EqualityComparer } = require('./EqualityComparer')
  3. , { Resolve } = require('../tools/Resolve')
  4. , { CollectionEvent } = require('./Collection')
  5. , { Observable, fromEvent } = require('rxjs')
  6. , symbolCacheEvict = Symbol('cacheEvict')
  7. , JSBI = require('jsbi');
  8. /**
  9. * This enumeration holds supported eviction policies by some of collections.
  10. *
  11. * @readonly
  12. * @enum {Number}
  13. */
  14. const EvictionPolicy = {
  15. /**
  16. * Do not evict. Requires manually freeing space in the underlying collection.
  17. */
  18. None: 0,
  19. /**
  20. * The underlying collection may evict elements indeterministically.
  21. */
  22. Undetermined: 1,
  23. /**
  24. * The underlying collection evicts the least recently used elements first.
  25. */
  26. LRU: 2,
  27. /**
  28. * The underlying collection evicts the most recently used elements first.
  29. */
  30. MRU: 3,
  31. /**
  32. * The underlying collection evicts the least frequently used elements first.
  33. */
  34. LFU: 4,
  35. /**
  36. * The underlying collection evicts the most frequently used elements first.
  37. */
  38. MFU: 5,
  39. /**
  40. * The underlying collection evicts the items inserted first (like a queue).
  41. */
  42. FIFO: 6,
  43. /**
  44. * The underlying collection evicts the items inserted last (like a stack).
  45. */
  46. LIFO: 7,
  47. /**
  48. * The underlying collection evicts the items inserted in a random order.
  49. */
  50. Random: 8
  51. };
  52. /**
  53. * @template T
  54. * @author Sebastian Hönel <development@hoenel.net>
  55. */
  56. class CacheItem {
  57. /**
  58. * @param {Cache<any, T>|CacheMapBased<any, T>|CacheWithLoad<any, T>} cache The cache this item belongs to.
  59. * @param {TKey} key
  60. * @param {T} item
  61. * @param {Number} order An integer used to order this item, assigned by the cache.
  62. * @param {Number} expireAfterMsecs An integer, in milliseconds, to expire this
  63. * item after. Only used if > 0. This item then sets a timeout and upon elapse,
  64. * evicts itself from the cache.
  65. */
  66. constructor(cache, key, item, order, expireAfterMsecs) {
  67. /** @protected */
  68. this._cache = cache;
  69. /** @protected */
  70. this._key = key;
  71. /** @protected */
  72. this._item = item;
  73. // initialize with order, so that newer items w/o last access have larger values.
  74. /**
  75. * @type {JSBI.BigInt}
  76. * @protected
  77. */
  78. this._timeStamp = JSBI.BigInt(order);
  79. /** @protected */
  80. this._order = order;
  81. /** @protected */
  82. this._accessCount = 0;
  83. /**
  84. * @type {NodeJS.Timeout}
  85. * @protected
  86. */
  87. this._expireTimeout = null;
  88. if (expireAfterMsecs > 0) {
  89. this._expireTimeout = setTimeout(() => {
  90. this._cache.delete(key);
  91. }, expireAfterMsecs);
  92. }
  93. };
  94. /**
  95. * Clears the internal eviction timeout.
  96. *
  97. * @returns {this}
  98. */
  99. clearTimeout() {
  100. clearTimeout(this._expireTimeout);
  101. this._expireTimeout = null;
  102. return this;
  103. };
  104. /**
  105. * @type {String|Symbol}
  106. */
  107. get key() {
  108. return this._key;
  109. };
  110. /**
  111. * @type {T}
  112. */
  113. get item() {
  114. return this._item;
  115. };
  116. /**
  117. * @type {JSBI.BigInt}
  118. */
  119. get timeStamp() {
  120. return this._timeStamp;
  121. };
  122. /**
  123. * @returns {void}
  124. */
  125. updateAccessTime() {
  126. const hrTime = process.hrtime()
  127. , secsAsNano = JSBI.multiply(JSBI.BigInt(hrTime[0]), JSBI.BigInt(1e9))
  128. , withNs = JSBI.add(secsAsNano, JSBI.BigInt(hrTime[1]));
  129. this._timeStamp = withNs;
  130. };
  131. /**
  132. * @type {Number}
  133. */
  134. get order() {
  135. return this._order;
  136. };
  137. /**
  138. * @type {Number}
  139. */
  140. get accessCount() {
  141. return this._accessCount;
  142. };
  143. /**
  144. * @returns {this}
  145. */
  146. increaseAccessCount() {
  147. this._accessCount++;
  148. return this;
  149. };
  150. };
  151. let __counter = 0;
  152. /**
  153. * @deprecated Use @see {CacheMapBased} instead. This class will be
  154. * removed from Version v3.0.
  155. * A Cache is similar to a @see {DictionaryMapBased}, and also allows to manually and automatically
  156. * evict items stored in it. A Cache's capacity is constrained.
  157. *
  158. * @template TKey
  159. * @template TVal
  160. * @extends {Dictionary<TKey, TVal>}
  161. * @author Sebastian Hönel <development@hoenel.net>
  162. */
  163. class Cache extends Dictionary {
  164. /**
  165. * Used to assign a running number to new cache items.
  166. * @private
  167. * @type {Number}
  168. */
  169. static get __counter() {
  170. return __counter++;
  171. };
  172. /**
  173. * Creates a new, empty Cache<T>, using the specified @see {EvictionPolicy} and
  174. * an initial capacity.
  175. *
  176. * @param {EvictionPolicy|Number} [evictPolicy] Optional. Specify the eviction policy that is
  177. * applied, if the cache has no more space left.
  178. * @param {Number} [capacity] Optional. Specify the initial capacity of this cache. The capacity
  179. * can be increased and decreased later.
  180. * @param {EqualityComparer<TVal>} [eqComparer] Optional. Defaults To EqualityComparer<TVal>.default.
  181. */
  182. constructor(evictPolicy = EvictionPolicy.None, capacity = Number.MAX_SAFE_INTEGER, eqComparer = EqualityComparer.default) {
  183. super(eqComparer);
  184. /**
  185. * @type {EvictionPolicy|Number}
  186. * @protected
  187. */
  188. this._evictPolicy = EvictionPolicy.None;
  189. this.evictionPolicy = evictPolicy;
  190. /**
  191. * @type {Number}
  192. * @protected
  193. */
  194. this._capacity = capacity;
  195. this.capacity = capacity;
  196. /**
  197. * @type {Object<String|Symbol, CacheItem<T>>}
  198. * @protected
  199. */
  200. this._dict = {};
  201. };
  202. /**
  203. * @param {EvictionPolicy|Number} policy An @see {EvictionPolicy}
  204. * @throws {Error} If the given policy is not one of @see {EvictionPolicy}.
  205. * @protected
  206. */
  207. _validateEvictionPolicy(policy) {
  208. switch (policy) {
  209. case EvictionPolicy.LRU:
  210. case EvictionPolicy.MRU:
  211. case EvictionPolicy.LFU:
  212. case EvictionPolicy.MFU:
  213. case EvictionPolicy.None:
  214. case EvictionPolicy.FIFO:
  215. case EvictionPolicy.LIFO:
  216. case EvictionPolicy.Random:
  217. case EvictionPolicy.Undetermined:
  218. break;
  219. default:
  220. throw new Error(`The eviction policy '${policy}' is not supported.`);
  221. }
  222. };
  223. /**
  224. * Get the current @see {EvictionPolicy}.
  225. *
  226. * @type {EvictionPolicy|Number}
  227. */
  228. get evictionPolicy() {
  229. return this._evictPolicy;
  230. };
  231. /**
  232. * Set the current @see {EvictionPolicy}.
  233. *
  234. * @param {EvictionPolicy|Number} policy The new policy to use for evicting items.
  235. * @type {void}
  236. */
  237. set evictionPolicy(policy) {
  238. this._validateEvictionPolicy(policy);
  239. this._evictPolicy = policy;
  240. };
  241. /**
  242. * @param {Number} capacity The capacity to check. Must be a positive integer.
  243. * @throws {Error} If the given capacity is not an integer or less than zero.
  244. * @protected
  245. */
  246. _validateCapacity(capacity) {
  247. if (!Resolve.isTypeOf(capacity, Number) || !Number.isInteger(capacity)) {
  248. throw new Error(`The value given for capacity is not a number.`);
  249. }
  250. if (capacity < 0) {
  251. throw new Error(`The capacity given is less than 0: ${capacity}`);
  252. }
  253. };
  254. /**
  255. * Returns the current capacity of this cache.
  256. *
  257. * @type {Number}
  258. */
  259. get capacity() {
  260. return this._capacity;
  261. };
  262. /**
  263. * Returns true, if the cache's capacity is all used up.
  264. *
  265. * @type {Boolean}
  266. */
  267. get isFull() {
  268. return this.size === this.capacity;
  269. };
  270. /**
  271. * @param {Number} capacity The new capacity of this cache. Must be a positive
  272. * integer (0 is allowed). Note that setting a capacity that undercuts the amount
  273. * of items currently held in the cache, will lead to the eviction of enough
  274. * items to meet the new capacity constraint.
  275. * @type {void}
  276. */
  277. set capacity(capacity) {
  278. this._validateCapacity(capacity);
  279. let toEvict = this.size - capacity;
  280. if (toEvict > 0 && this.evictionPolicy === EvictionPolicy.None) {
  281. throw new Error('Cannot decrease capacity and automatically evict items with policy set to None.');
  282. }
  283. while (toEvict > 0) {
  284. this.evict();
  285. toEvict--;
  286. }
  287. this._capacity = capacity;
  288. };
  289. /**
  290. * @returns {T} the evicted item.
  291. */
  292. evict() {
  293. if (this.isEmpty) {
  294. throw new Error('The cache is empty, cannot evict any more items.');
  295. }
  296. return this.evictMany(1)[0];
  297. };
  298. /**
  299. * @param {Number} count
  300. * @returns {Array<T>} The evicted items in an array.
  301. */
  302. evictMany(count) {
  303. let howMany = Math.min(count, this.size);
  304. /** @type {Array<T>} */
  305. const items = [];
  306. for (const item of this._evictNext()) {
  307. items.push(this.remove(item.key));
  308. if (--howMany === 0) {
  309. break;
  310. }
  311. }
  312. return items;
  313. };
  314. /**
  315. * Allows to peek at the next n items that will be evited next, without removing
  316. * them. Returns the items with as key/value pair.
  317. *
  318. * @param {Number} amount
  319. * @returns {Array<Object<String|Symbol, T>>}
  320. */
  321. peekEvict(amount) {
  322. if (!Resolve.isTypeOf(amount, Number) || !Number.isInteger(amount) || amount < 1) {
  323. throw new Error('You must peek an mount larger than 0.');
  324. }
  325. amount = Math.min(amount, this.size);
  326. const iter = this._evictNext();
  327. return Array.from(Array(amount), iter.next, iter).map(o => {
  328. const obj = {};
  329. obj[o.value.key] = o.value.item;
  330. return obj;
  331. });
  332. };
  333. /**
  334. * Returns items in the order they will be evicted, according to the policy.
  335. *
  336. * @protected
  337. * @returns {IterableIterator<CacheItem<T>>}
  338. */
  339. *_evictNext() {
  340. /** @type {Array<CacheItem<T>>} */
  341. const wrappers = [];
  342. switch (this.evictionPolicy) {
  343. case EvictionPolicy.LRU:
  344. case EvictionPolicy.MRU:
  345. // Order items by their access date:
  346. const mru = this.evictionPolicy === EvictionPolicy.MRU ? -1 : 1;
  347. this.evictionPolicy === EvictionPolicy.MRU ? -1 : 1;
  348. wrappers.unshift(
  349. ...Array.from(super.values()).sort((w1, w2) => {
  350. return mru * (JSBI.lessThan(w1.timeStamp, w2.timeStamp) ? -1 : 1);
  351. })
  352. );
  353. break;
  354. case EvictionPolicy.LFU:
  355. case EvictionPolicy.MFU:
  356. // Order items by access count and select least/most recently used items first.
  357. const mfu = this.evictionPolicy === EvictionPolicy.MFU ? -1 : 1;
  358. wrappers.unshift(
  359. ...Array.from(super.values()).sort((w1, w2) => {
  360. return mfu * (w1.accessCount - w2.accessCount);
  361. })
  362. );
  363. break;
  364. case EvictionPolicy.FIFO:
  365. case EvictionPolicy.LIFO:
  366. // Remove the item inserted first/last.
  367. const lifo = this.evictionPolicy === EvictionPolicy.LIFO ? -1 : 1;
  368. wrappers.unshift(
  369. ...Array.from(super.values()).sort((w1, w2) => {
  370. return lifo * (w1.order - w2.order);
  371. })
  372. );
  373. break;
  374. case EvictionPolicy.Undetermined:
  375. // No specific/deterministic order.
  376. yield* super.values();
  377. break;
  378. case EvictionPolicy.Random:
  379. // Randomly select items to evict:
  380. wrappers.unshift(
  381. ...Array.from(super.values()).sort(() => {
  382. return Math.random() < .5 ? 1 : -1;
  383. })
  384. );
  385. break;
  386. case EvictionPolicy.None:
  387. // Eviction not allowed, must use ::remove()
  388. throw new Error('Eviction not allowed.');
  389. }
  390. for (const wrap of wrappers) {
  391. yield wrap;
  392. }
  393. };
  394. /**
  395. * @override
  396. * @inheritdoc
  397. * @param {Number} [expireAfterMsecs] Optional. if given a positive integer, then it
  398. * will be used as the amount of milliseconds this entry will expire and remove itself
  399. * from the cache.
  400. * @throws {Error} If this cache is full and no automatic eviction policy was set.
  401. * @type {void}
  402. */
  403. set(key, val, expireAfterMsecs = void 0) {
  404. const isFull = this.size === this.capacity;
  405. if (isFull) {
  406. if (this.evictionPolicy === EvictionPolicy.None) {
  407. throw new Error(`The Cache is full and no automatic eviction policy is set.`);
  408. }
  409. this.evict(); // Remove one item according to an automatic policy.
  410. }
  411. if (!Resolve.isNumber(expireAfterMsecs) || !Number.isSafeInteger(expireAfterMsecs) || expireAfterMsecs < 0) {
  412. expireAfterMsecs = -1;
  413. }
  414. const wrap = new CacheItem(this, key, val, Cache.__counter, expireAfterMsecs);
  415. return super.set(key, wrap);
  416. };
  417. /**
  418. * @override
  419. * @inheritdoc
  420. */
  421. get(key) {
  422. /** @type {CacheItem<T>} */
  423. const wrap = super.get(key);
  424. wrap.updateAccessTime();
  425. wrap.increaseAccessCount();
  426. return wrap.item;
  427. };
  428. /**
  429. * @override
  430. * @inheritdoc
  431. */
  432. remove(key) {
  433. /** @type {CacheItem<T>} */
  434. const wrap = super.remove(key);
  435. wrap.clearTimeout();
  436. return wrap.item;
  437. };
  438. /**
  439. * @override
  440. * @inheritdoc
  441. */
  442. *values() {
  443. for (const val of super.values()) {
  444. yield val.item;
  445. }
  446. };
  447. /**
  448. * @override
  449. * @inheritdoc
  450. * @protected
  451. */
  452. *_entries(reverse = false) {
  453. for (const entry of super._entries(reverse)) {
  454. const key = Object.keys(entry).concat(Object.getOwnPropertySymbols(entry))[0];
  455. entry[key] = entry[key].item; // unwrap
  456. yield entry;
  457. }
  458. };
  459. };
  460. let __counterCb = 0;
  461. /**
  462. * @template TKey
  463. * @template TVal
  464. * @extends {DictionaryMapBased<TKey, TVal>}
  465. * @author Sebastian Hönel <development@hoenel.net>
  466. */
  467. class CacheMapBased extends DictionaryMapBased {
  468. /**
  469. * Used to assign a running number to new cache items.
  470. * @private
  471. * @type {Number}
  472. */
  473. static get __counter() {
  474. return __counterCb++;
  475. };
  476. /**
  477. * Creates a new, empty CacheMapBased<TKey, TVal>, using the specified @see {EvictionPolicy} and
  478. * an initial capacity.
  479. *
  480. * @param {EvictionPolicy|Number} [evictPolicy] Optional. Specify the eviction policy that is
  481. * applied, if the cache has no more space left.
  482. * @param {Number} [capacity] Optional. Specify the initial capacity of this cache. The capacity
  483. * can be increased and decreased later.
  484. * @param {EqualityComparer<TVal>} [eqComparer] Optional. Defaults To EqualityComparer<TVal>.default.
  485. */
  486. constructor(evictPolicy = EvictionPolicy.None, capacity = Number.MAX_SAFE_INTEGER, eqComparer = EqualityComparer.default) {
  487. super(eqComparer);
  488. /**
  489. * @type {EvictionPolicy|Number}
  490. * @protected
  491. */
  492. this._evictPolicy = EvictionPolicy.None;
  493. this.evictionPolicy = evictPolicy;
  494. /**
  495. * @type {Number}
  496. * @protected
  497. */
  498. this._capacity = capacity;
  499. this.capacity = capacity;
  500. /**
  501. * @type {Map<TKey, CacheItem<TVal>>}
  502. * @protected
  503. */
  504. this._map = new Map();
  505. /** @type {Observable<CollectionEvent<Array<TVal>>>} */
  506. this.observableEvict = Object.freeze(fromEvent(this, symbolCacheEvict));
  507. };
  508. /**
  509. * @param {EvictionPolicy|Number} policy An @see {EvictionPolicy}
  510. * @throws {Error} If the given policy is not one of @see {EvictionPolicy}.
  511. * @protected
  512. */
  513. _validateEvictionPolicy(policy) {
  514. switch (policy) {
  515. case EvictionPolicy.LRU:
  516. case EvictionPolicy.MRU:
  517. case EvictionPolicy.LFU:
  518. case EvictionPolicy.MFU:
  519. case EvictionPolicy.None:
  520. case EvictionPolicy.FIFO:
  521. case EvictionPolicy.LIFO:
  522. case EvictionPolicy.Random:
  523. case EvictionPolicy.Undetermined:
  524. break;
  525. default:
  526. throw new Error(`The eviction policy '${policy}' is not supported.`);
  527. }
  528. };
  529. /**
  530. * @type {EvictionPolicy|Number}
  531. */
  532. get evictionPolicy() {
  533. return this._evictPolicy;
  534. };
  535. /**
  536. * @param {EvictionPolicy|Number} policy The new policy to use for evicting items.
  537. */
  538. set evictionPolicy(policy) {
  539. this._validateEvictionPolicy(policy);
  540. this._evictPolicy = policy;
  541. };
  542. /**
  543. * @param {Number} capacity The capacity to check. Must be a positive integer.
  544. * @throws {Error} If the given capacity is not an integer or less than zero.
  545. * @protected
  546. */
  547. _validateCapacity(capacity) {
  548. if (!Resolve.isTypeOf(capacity, Number) || !Number.isInteger(capacity)) {
  549. throw new Error(`The value given for capacity is not a number.`);
  550. }
  551. if (capacity < 0) {
  552. throw new Error(`The capacity given is less than 0: ${capacity}`);
  553. }
  554. };
  555. /**
  556. * Returns the current capacity of this cache.
  557. *
  558. * @type {Number}
  559. */
  560. get capacity() {
  561. return this._capacity;
  562. };
  563. /**
  564. * Returns true, if the cache's capacity is all used up.
  565. *
  566. * @type {Boolean}
  567. */
  568. get isFull() {
  569. return this.size === this.capacity;
  570. };
  571. /**
  572. * @param {Number} capacity The new capacity of this cache. Must be a positive
  573. * integer (0 is allowed). Note that setting a capacity that undercuts the amount
  574. * of items currently held in the cache, will lead to the eviction of enough
  575. * items to meet the new capacity constraint.
  576. * @type {void}
  577. */
  578. set capacity(capacity) {
  579. this._validateCapacity(capacity);
  580. let toEvict = this.size - capacity;
  581. if (toEvict > 0 && this.evictionPolicy === EvictionPolicy.None) {
  582. throw new Error('Cannot decrease capacity and automatically evict items with policy set to None.');
  583. }
  584. while (toEvict > 0) {
  585. this.evict();
  586. toEvict--;
  587. }
  588. this._capacity = capacity;
  589. };
  590. /**
  591. * @returns {T} the evicted item.
  592. */
  593. evict() {
  594. if (this.isEmpty) {
  595. throw new Error('The cache is empty, cannot evict any more items.');
  596. }
  597. return this.evictMany(1)[0];
  598. };
  599. /**
  600. * @param {Number} count
  601. * @returns {Array<T>} The evicted items in an array.
  602. */
  603. evictMany(count) {
  604. let howMany = Math.min(count, this.size);
  605. /** @type {Array<T>} */
  606. const items = [];
  607. for (const item of this._evictNext()) {
  608. items.push(this.delete(item.key));
  609. if (--howMany === 0) {
  610. break;
  611. }
  612. }
  613. this.emit(symbolCacheEvict, new CollectionEvent(items.slice(0)));
  614. return items;
  615. };
  616. /**
  617. * Allows to peek at the next n items that will be evicted next, without
  618. * removing them. Returns the items as key/value pair.
  619. *
  620. * @param {Number} amount
  621. * @returns {Array<[TKey, TVal]>}
  622. */
  623. peekEvict(amount) {
  624. if (!Resolve.isTypeOf(amount, Number) || !Number.isInteger(amount) || amount < 1) {
  625. throw new Error('You must peek an mount larger than 0.');
  626. }
  627. amount = Math.min(amount, this.size);
  628. const iter = this._evictNext();
  629. return Array.from(Array(amount), iter.next, iter).map(o => {
  630. return [o.value.key, o.value.item];
  631. });
  632. };
  633. /**
  634. * Returns items in the order they will be evicted, according to the policy.
  635. *
  636. * @protected
  637. * @returns {IterableIterator<CacheItem<TVal>>}
  638. */
  639. *_evictNext() {
  640. /** @type {Array<CacheItem<TVal>>} */
  641. const wrappers = [];
  642. switch (this.evictionPolicy) {
  643. case EvictionPolicy.LRU:
  644. case EvictionPolicy.MRU:
  645. // Order items by their access date:
  646. const mru = this.evictionPolicy === EvictionPolicy.MRU ? -1 : 1;
  647. this.evictionPolicy === EvictionPolicy.MRU ? -1 : 1;
  648. wrappers.unshift(
  649. ...Array.from(super.values()).sort((w1, w2) => {
  650. return mru * (JSBI.lessThan(w1.timeStamp, w2.timeStamp) ? -1 : 1);
  651. })
  652. );
  653. break;
  654. case EvictionPolicy.LFU:
  655. case EvictionPolicy.MFU:
  656. // Order items by access count and select least/most recently used items first.
  657. const mfu = this.evictionPolicy === EvictionPolicy.MFU ? -1 : 1;
  658. wrappers.unshift(
  659. ...Array.from(super.values()).sort((w1, w2) => {
  660. return mfu * (w1.accessCount - w2.accessCount);
  661. })
  662. );
  663. break;
  664. case EvictionPolicy.FIFO:
  665. case EvictionPolicy.LIFO:
  666. // Remove the item inserted first/last.
  667. const lifo = this.evictionPolicy === EvictionPolicy.LIFO ? -1 : 1;
  668. wrappers.unshift(
  669. ...Array.from(super.values()).sort((w1, w2) => {
  670. return lifo * (w1.order - w2.order);
  671. })
  672. );
  673. break;
  674. case EvictionPolicy.Undetermined:
  675. // No specific/deterministic order.
  676. yield* super.values();
  677. break;
  678. case EvictionPolicy.Random:
  679. // Randomly select items to evict:
  680. wrappers.unshift(
  681. ...Array.from(super.values()).sort(() => {
  682. return Math.random() < .5 ? 1 : -1;
  683. })
  684. );
  685. break;
  686. case EvictionPolicy.None:
  687. // Eviction not allowed, must use ::remove()
  688. throw new Error('Eviction not allowed.');
  689. }
  690. for (const wrap of wrappers) {
  691. yield wrap;
  692. }
  693. };
  694. /**
  695. * @override
  696. * @inheritdoc
  697. * @param {Number} [expireAfterMsecs] Optional. if given a positive integer, then it
  698. * will be used as the amount of milliseconds this entry will expire and remove itself
  699. * from the cache.
  700. * @throws {Error} If this cache is full and no automatic eviction policy was set.
  701. */
  702. set(key, val, expireAfterMsecs = void 0) {
  703. const isFull = this.size === this.capacity;
  704. if (isFull) {
  705. if (this.evictionPolicy === EvictionPolicy.None) {
  706. throw new Error(`The Cache is full and no automatic eviction policy is set.`);
  707. }
  708. this.evict(); // Remove one item according to an automatic policy.
  709. }
  710. if (!Resolve.isNumber(expireAfterMsecs) || !Number.isSafeInteger(expireAfterMsecs) || expireAfterMsecs < 0) {
  711. expireAfterMsecs = -1;
  712. }
  713. const wrap = new CacheItem(this, key, val, CacheMapBased.__counter, expireAfterMsecs);
  714. return super.set(key, wrap);
  715. };
  716. /**
  717. * @override
  718. * @inheritdoc
  719. */
  720. get(key) {
  721. const wrap = this._map.get(key);
  722. wrap.updateAccessTime();
  723. wrap.increaseAccessCount();
  724. const value = this.__unwrapValue(wrap);
  725. this.emit(symbolDictionaryGet, new CollectionEvent([key, value]));
  726. return value;
  727. };
  728. /**
  729. * @override
  730. * @inheritdoc
  731. */
  732. *values() {
  733. for (const val of super.values()) {
  734. yield this.__unwrapValue(val);
  735. }
  736. };
  737. /**
  738. * @override
  739. * @inheritdoc
  740. */
  741. *entries() {
  742. for (const entry of super.entries()) {
  743. yield [entry[0], this.__unwrapValue(entry[1])];
  744. }
  745. };
  746. /**
  747. * @private
  748. * @override
  749. * @inheritdoc
  750. * @param {CacheItem<TVal>} value
  751. * @returns {TVal} The wrapped value
  752. */
  753. __unwrapValue(value) {
  754. return value.item;
  755. };
  756. };
  757. /**
  758. * @template T
  759. * @extends {CacheItem<T>}
  760. * @author Sebastian Hönel <development@hoenel.net>
  761. */
  762. class CacheItemWithLoad extends CacheItem {
  763. /**
  764. * @inheritdoc
  765. * @param {T} item
  766. * @param {Number} load
  767. */
  768. constructor(cache, key, item, order, expireAfterMsecs, load) {
  769. super(cache, key, item, order, expireAfterMsecs);
  770. /** @protected */
  771. this._load = load;
  772. };
  773. /**
  774. * @type {Number}
  775. */
  776. get load() {
  777. return this._load;
  778. };
  779. };
  780. /**
  781. * A CacheWithLoad introduces a second concept to constrain the capacity
  782. * of it. This second concept of load is useful for when the size of the
  783. * items to cache is not known, and when the sheer amount of items does
  784. * not allow to estimate the load. The CacheWithLoad evicts items when
  785. * either its capacity is exhausted or the maximum load is exceeded.
  786. *
  787. * @template TKey
  788. * @template TVal
  789. * @extends {CacheMapBased<TKey, TVal>}
  790. * @author Sebastian Hönel <development@hoenel.net>
  791. */
  792. class CacheWithLoad extends CacheMapBased {
  793. /**
  794. * @inheritdoc
  795. * @param {EvictionPolicy|Number} evictPolicy
  796. * @param {Number} capacity
  797. * @param {Number} maxLoad The maximum load, expressed as a positive number.
  798. * @param {EqualityComparer<TVal>} eqComparer
  799. */
  800. constructor(evictPolicy = EvictionPolicy.None, capacity = Number.MAX_SAFE_INTEGER, maxLoad = Number.MAX_VALUE, eqComparer = EqualityComparer.default) {
  801. super(evictPolicy, capacity, eqComparer);
  802. /** @protected */
  803. this._maxLoad = maxLoad;
  804. this.maxLoad = maxLoad;
  805. /**
  806. * @type {Object<String|Symbol, CacheItemWithLoad<T>>}
  807. * @protected
  808. */
  809. this._dict = {};
  810. };
  811. /**
  812. * @protected
  813. * @param {Number} load
  814. */
  815. _validateLoad(load) {
  816. if (!Resolve.isTypeOf(load, Number) || !Number.isFinite(load)) {
  817. throw new Error(`The value given for load is not a number.`);
  818. }
  819. if (load <= 0) {
  820. throw new Error(`The value given for load must be greater than zero.`);
  821. }
  822. };
  823. /**
  824. * Returns the current load.
  825. *
  826. * @type {Number}
  827. */
  828. get load() {
  829. return Array.from(
  830. // To avoid unwrapping:
  831. DictionaryMapBased.prototype.values.call(this)
  832. ).map(ci => ci.load).reduce((a, b) => a + b, 0);
  833. };
  834. /**
  835. * Returns the current free load (maximum load - current load).
  836. *
  837. * @type {Number}
  838. */
  839. get loadFree() {
  840. return this.maxLoad - this.load;
  841. };
  842. /**
  843. * Set the maximum load.
  844. *
  845. * @param {Number} maxLoad
  846. * @type {void}
  847. */
  848. set maxLoad(maxLoad) {
  849. this._validateLoad(maxLoad);
  850. if (maxLoad < this.load && this.evictionPolicy === EvictionPolicy.None) {
  851. throw new Error('Cannot decrease the maximum load and automatically evict items with policy set to None.');
  852. }
  853. while (this.load > maxLoad) {
  854. this.evict();
  855. }
  856. this._maxLoad = maxLoad;
  857. };
  858. /**
  859. * Returns the maximum load.
  860. *
  861. * @type {Number}
  862. */
  863. get maxLoad() {
  864. return this._maxLoad;
  865. };
  866. /**
  867. * @override
  868. * @inheritdoc
  869. * @param {TKey} key
  870. * @param {TVal} val
  871. * @param {Number} load
  872. * @param {Number} [expireAfterMsecs] defaults to undefined. Only used if given
  873. * as a positive integer.
  874. * @returns {this}
  875. */
  876. set(key, val, load, expireAfterMsecs = void 0) {
  877. this._validateLoad(load);
  878. if (load > this.maxLoad) {
  879. throw new Error(`The specified load exceeds this cache's maximum load.`);
  880. }
  881. const isFull = this.size === this.capacity;
  882. if (isFull) {
  883. if (this.evictionPolicy === EvictionPolicy.None) {
  884. throw new Error(`The Cache is full and no automatic eviction policy is set.`);
  885. }
  886. this.evict(); // Remove one item according to an automatic policy.
  887. }
  888. if (load + this.load > this.maxLoad) {
  889. if (this.evictionPolicy === EvictionPolicy.None) {
  890. throw new Error(`The Cache's load is too high and no automatic eviction policy is set.`);
  891. }
  892. while (load + this.load > this.maxLoad) {
  893. this.evict();
  894. }
  895. }
  896. if (!Resolve.isNumber(expireAfterMsecs) || !Number.isSafeInteger(expireAfterMsecs) || expireAfterMsecs < 0) {
  897. expireAfterMsecs = -1;
  898. }
  899. const wrap = new CacheItemWithLoad(
  900. this, key, val, CacheMapBased.__counter, expireAfterMsecs, load);
  901. return DictionaryMapBased.prototype.set.call(this, key, wrap);
  902. };
  903. };
  904. module.exports = Object.freeze({
  905. EvictionPolicy,
  906. Cache,
  907. CacheMapBased,
  908. CacheItem,
  909. CacheWithLoad,
  910. CacheItemWithLoad
  911. });