一、题目描述
运用你所掌握的数据结构,设计和实现一个 LRU (最近最少使用) 缓存机制。它应该支持以下操作: 获取数据 get 和 写入数据 put 。
获取数据 get(key) - 如果关键字 (key) 存在于缓存中,则获取关键字的值(总是正数),否则返回 -1。
写入数据 put(key, value) - 如果关键字已经存在,则变更其数据值;如果关键字不存在,则插入该组「关键字/值」。当缓存容量达到上限时,它应该在写入新数据之前删除最久未使用的数据值,从而为新的数据值留出空间。
进阶:
你是否可以在 O(1) 时间复杂度内完成这两种操作?
示例:
LRUCache cache = new LRUCache( 2 /* 缓存容量 */ );
cache.put(1, 1);
cache.put(2, 2);
cache.get(1); // 返回 1
cache.put(3, 3); // 该操作会使得关键字 2 作废
cache.get(2); // 返回 -1 (未找到)
cache.put(4, 4); // 该操作会使得关键字 1 作废
cache.get(1); // 返回 -1 (未找到)
cache.get(3); // 返回 3
cache.get(4); // 返回 4
二、解题思路 & 代码
哈希表 + 双向链表
- 哈希表查找快,但是数据无固定顺序;
- 链表有顺序之分,插入删除快,但是查找慢。
所以结合一下,形成一种新的数据结构:哈希链表。
因为我们需要删除操作。删除一个节点不光要得到该节点本身的指针,也需要操作其前驱节点的指针,而双向链表才能支持直接查找前驱,保证操作的时间复杂度 O(1)。
class Node:
def __init__(self, key, val, next=None, prev=None):
self.key = key
self.val = val
self.next = next
self.prev = prev
class DoubleList:
def __init__(self):
# self.head和self.tail都充当dummy节点(哨兵节点)
self.head = Node(-1, -1)
self.tail = Node(-1, -1)
self.head.next = self.tail
self.tail.prev = self.head
self.size = 0
def addFirst(self, x):
"""在最前面加个节点x,注意语句顺序,很经典!"""
x.next = self.head.next
x.prev = self.head
self.head.next.prev = x
self.head.next = x
self.size += 1
def remove(self, x):
"""删除节点x,调用这个函数说明x一定存在"""
x.prev.next = x.next # 像一个顺时针
x.next.prev = x.prev
self.size -= 1
def removeLast(self):
""" 删除链表中最后一个节点,并返回该节点 注意双向链表的删除时间复杂度是O(1)的,因为立刻能找到该删除节点的前驱 """
if self.size == 0:
return None
last_node = self.tail.prev
self.remove(last_node)
return last_node
def getSize(self):
return self.size
class LRUCache:
def __init__(self, capacity: int):
self.capacity = capacity
self.map = {
}
self.cache = DoubleList()
def get(self, key: int) -> int:
if key not in self.map:
return -1
val = self.map[key].val
self.put(key, val)
return val
def put(self, key: int, value: int) -> None:
new_item = Node(key, value)
if key in self.map:
self.cache.remove(self.map[key])
self.cache.addFirst(new_item)
self.map[key] = new_item
else:
if self.capacity == self.cache.getSize():
last_node = self.cache.removeLast()
self.map.pop(last_node.key)
self.cache.addFirst(new_item)
self.map[key] = new_item
# Your LRUCache object will be instantiated and called as such:
# obj = LRUCache(capacity)
# param_1 = obj.get(key)
# obj.put(key,value)
复杂度分析
- 时间复杂度:对于 put 和 get 都是 O ( 1 ) O(1) O(1)。
- 空间复杂度: O ( c a p a c i t y ) O(capacity) O(capacity),因为哈希表和双向链表最多存储 c a p a c i t y + 1 capacity+1 capacity+1 个元素。