LRU Cache

  1. // LRUCache 构造函数,参数为容量
  2. var LRUCache = function(capacity) {
  3. this.capacity = capacity
  4. this.map = new Map()
  5. };
  6. // get: 如果 key 存在,则覆盖这个 key 的值,否则返回 -1
  7. LRUCache.prototype.get = function(key) {
  8. if (this.map.has(key)) {
  9. const value = this.map.get(key)
  10. this.map.delete(key)
  11. this.map.set(key, value)
  12. return value
  13. }
  14. return -1
  15. };
  16. // put:需要判断 key 是否存在,是否超出容量
  17. LRUCache.prototype.put = function(key, value) {
  18. if (this.map.has(key)) {
  19. this.map.delete(key)
  20. } else if (this.map.size === this.capacity) {
  21. // 如果容量满了,删除最近添加的 key
  22. this.map.delete(this.map.keys().next().value)
  23. }
  24. this.map.set(key, value)
  25. };

字典树、前缀树、Trie

  1. class Trie {
  2. constructor() {
  3. this.root = {};
  4. }
  5. insert(word) {
  6. let node = this.root;
  7. for (let c of word) {
  8. if (node[c] == null) node[c] = {};
  9. node = node[c];
  10. }
  11. node.isWord = true;
  12. }
  13. traverse(word) {
  14. let node = this.root;
  15. for (let c of word) {
  16. node = node[c];
  17. if (node == null) return null;
  18. }
  19. return node;
  20. }
  21. search(word) {
  22. const node = this.traverse(word);
  23. return node != null && node.isWord === true;
  24. }
  25. startsWith(prefix) {
  26. return this.traverse(prefix) != null;
  27. }
  28. }