leetcode 146 LRU缓存机制
题目
运用你所掌握的数据结构,设计和实现一个 LRU (最近最少使用) 缓存机制。它应该支持以下操作: 获取数据 get 和 写入数据 put 。
获取数据 get(key) - 如果密钥 (key) 存在于缓存中,则获取密钥的值(总是正数),否则返回 -1。
写入数据 put(key, value) - 如果密钥不存在,则写入其数据值。当缓存容量达到上限时,它应该在写入新数据之前删除最近最少使用的数据值,从而为新的数据值留出空间。
写入数据 put(key, value) - 如果密钥不存在,则写入其数据值。当缓存容量达到上限时,它应该在写入新数据之前删除最近最少使用的数据值,从而为新的数据值留出空间。
进阶:
你是否可以在 O(1) 时间复杂度内完成这两种操作?
题目意思梳理:这里最近最少使用的意思是只看时间上最近,不看次数,也就是说只要最近get了个值,那么这个值的优先级就是最高的
解决方法:双向链表 + hash表
双向链表每个节点都保存<key, value>,并每次get的值都放在最前面
哈希表保存<key, 指向双项链表对应节点的指针>
C++代码
class LRUCache { public: LRUCache(int capacity) { cap = capacity; } int get(int key) { auto it = map1.find(key); if(it == map1.end()) return -1; list1.splice(list1.begin(), list1, it->second); return it->second->second; } void put(int key, int value) { auto it = map1.find(key); if(it != map1.end()) { list1.erase(it->second); } if(list1.size() == cap) { int k = list1.rbegin()->first; list1.pop_back(); map1.erase(k); } list1.push_front(make_pair(key, value)); map1[key] = list1.begin(); } private: int cap; list<pair<int, int>> list1; unordered_map<int, list<pair<int, int>>::iterator> map1; }; /** * Your LRUCache object will be instantiated and called as such: * LRUCache* obj = new LRUCache(capacity); * int param_1 = obj->get(key); * obj->put(key,value); */