LRU 缓存结构

文章目录

LRU

  • 优先去除最久没有访问到的数据。

实现

  • 通过组合哈希表(Hash Table)和双向链表(Doubly Linked List)实现 LRU 缓存。并且以 O(1) 的时间复杂度执行 get 和 put 操作
  • 核心是对节点的新增、访问都会让节点移动到双向链表头部,当容量超过时,直接删除尾部节点即可
javascript 复制代码
class LRUCache {
  constructor(capacity) {
    // 容量
    this.capacity = capacity;
    this.cache = new Map();

    // 用于记录访问顺序的双向链表,声明空的头节点和尾节点
    this.head = {};
    this.tail = {};
    // 头和尾相连
    this.head.next = this.tail;
    this.tail.prev = this.head;
  }

  get(key) {
    const map = this.cache;

    if (!map.has(key)) {
      return -1;
    }
	// 每次把使用的节点放到链表的头部
    const node = map.get(key);
    this._moveToHead(node);
    return node.value;
  }

  put(key, value) {
    const map = this.cache;
    
    // 如果 key 已存在,更新并移动到双向链表头部
    if (map.has(key)) {
      const node = map.get(key);
      node.value = value;
      this._moveToHead(node);
    } else {
      if (map.size >= this.capacity) {
        // 缓存容量已满,移除尾部节点
        const leastUsedKey = this.tail.prev.key;
        this._removeNode(this.tail.prev);
        map.delete(leastUsedKey);
      }

      // 创建新节点,和更新 HashMap,并移动到链表头部
      const newNode = this._addNode({ key, value });
      map.set(key, newNode);
    }
  }
  // 双向链表删除节点
  _removeNode(node) {
    node.prev.next = node.next;
    node.next.prev = node.prev;
  }
 // 删除双向链表旧节点位置,然后移动到头部
  _moveToHead(node) {
    this._removeNode(node);
    this._addNode(node);
  }
 // 添加节点并移动到头部
  _addNode(node) {
    node.prev = this.head;
    node.next = this.head.next;
    this.head.next.prev = node;
    this.head.next = node;
    return node;
  }
}

// 使用示例
const cache = new LRUCache(2);
cache.put(1, 10);
console.log(cache.get(1)); // 10
cache.put(2, 20);
cache.put(3, 30);
console.log(cache.get(1)); // -1
相关推荐
Hello.Reader27 分钟前
Rust → WebAssembly 的性能剖析全指南
前端·rust·wasm
前端小巷子32 分钟前
Vue 2 Diff 算法
前端·vue.js·面试
淮北4943 小时前
STL学习(十一、常用的算数算法和集合算法)
c++·vscode·学习·算法
糖葫芦君4 小时前
玻尔兹曼分布与玻尔兹曼探索
人工智能·算法·机器学习
奕辰杰4 小时前
关于npm前端项目编译时栈溢出 Maximum call stack size exceeded的处理方案
前端·npm·node.js
JiaLin_Denny6 小时前
如何在NPM上发布自己的React组件(包)
前端·react.js·npm·npm包·npm发布组件·npm发布包
_Kayo_7 小时前
VUE2 学习笔记14 nextTick、过渡与动画
javascript·笔记·学习
路光.7 小时前
触发事件,按钮loading状态,封装hooks
前端·typescript·vue3hooks
我爱996!7 小时前
SpringMVC——响应
java·服务器·前端