https://leetcode.cn/problems/OrIXps/
题目要求
运用所掌握的数据结构,设计和实现一个 LRU (Least Recently Used,最近最少使用) 缓存机制 。
实现 LRUCache 类:
LRUCache(int capacity) 以正整数作为容量 capacity 初始化 LRU 缓存
int get(int key) 如果关键字 key 存在于缓存中,则返回关键字的值,否则返回 -1 。
void put(int key, int value) 如果关键字已经存在,则变更其数据值;如果关键字不存在,则插入该组「关键字-值」。当缓存容量达到上限时,它应该在写入新数据之前删除最久未使用的数据值,从而为新的数据值留出空间。
方法:Hash+Queue
- 使用Hash表存储键值对,并可以快速确认是否存在某个key
- 使用queue来记录最久未访问数据,每访问一次就出队再入队,队首保存最久未访问的节点
Queue<Integer> queue;// 记录最近访问,队首是最久未访问的结点
Map<Integer, Integer> map;// 保存数据
int size;
public _031_LRUCache(int capacity) {
queue = new LinkedList<>();
map = new HashMap<>();
size = capacity;
}
public int get(int key) {
if (map.containsKey(key)) {
queue.remove(key);
queue.add(key);// 更新最久未访问
return map.get(key);
}
return -1;
}
public void put(int key, int value) {
if (!map.containsKey(key)) {
if (size > 0 && queue.size() == size) {
int val = queue.poll();
map.remove(val);
}
map.put(key, value);
queue.add(key);
} else {
map.put(key, value);
queue.remove(key);
queue.add(key);
}
}