Design and implement a data structure for Least Recently Used (LRU) cache. It should support the following operations:
get
and set
.get(key)
- Get the value (will always be positive) of the key if the key exists in the cache, otherwise return -1.set(key, value)
- Set or insert the value if the key is not already present. When the cache reached its capacity, it should invalidate the least recently used item before inserting a new item.
这道题可以用链表来实现 但是复杂度是O(n^2)
题解:解决这道题的方法是:双向链表+HashMap。“为了能够快速删除最久没有访问的数据项和插入最新的数据项,我们将双向链表连接Cache中的数据项,并且保证链表维持数据项从最近访问到最旧访问的顺序。 每次数据项被查询到时,都将此数据项移动到链表头部(O(1)的时间复杂度)。这样,在进行过多次查找操作后,最近被使用过的内容就向链表的头移动,而没 有被使用的内容就向链表的后面移动。当需要替换时,链表最后的位置就是最近最少被使用的数据项,我们只需要将最新的数据项放在链表头部,当Cache满 时,淘汰链表最后的位置就是了。 ”解决了LRU的特性,现在考虑下算法的时间复杂度。为了能减少整个数据结构的时间复杂度,就要减少查找的时间复杂度,所以这里利用HashMap来做,这样时间苏咋读就是O(1)。所以对于本题来说:get(key): 如果cache中不存在要get的值,返回-1;如果cache中存在要找的值,返回其值并将其在原链表中删除,然后将其作为头结点。set(key,value):当要set的key值已经存在,就更新其value, 将其在原链表中删除,然后将其作为头结点;当药set的key值不存在,就新建一个node,如果当前len<capacity,就将其加入hashmap中,并将其作为头结点,更新len长度,否则,删除链表最后一个node,再将其放入hashmap并作为头结点,但len不更新。
原则就是:对链表有访问,就要更新链表顺序。
数据结构
LRU的典型实现是
hash map + doubly linked list
, 双向链表用于存储数据结点,并且它是按照结点最近被使用的时间来存储的。 如果一个结点被访问了, 我们有理由相信它在接下来的一段时间被访问的概率要大于其它结点。于是, 我们把它放到双向链表的头部。当我们往双向链表里插入一个结点, 我们也有可能很快就会使用到它,同样把它插入到头部。 我们使用这种方式不断地调整着双向链表,链表尾部的结点自然也就是最近一段时间, 最久没有使用到的结点。那么,当我们的Cache满了, 需要替换掉的就是双向链表中最后的那个结点(不是尾结点,头尾结点不存储实际内容)。
如下是双向链表示意图,注意头尾结点不存储实际内容:
头 --> 结 --> 结 --> 结 --> 尾
结 点 点 点 结
点 <-- 1 <-- 2 <-- 3 <-- 点
假如上图Cache已满了,我们要替换的就是结点3。
哈希表的作用是什么呢?如果没有哈希表,我们要访问某个结点,就需要顺序地一个个找, 时间复杂度是O(n)。使用哈希表可以让我们在O(1)的时间找到想要访问的结点, 或者返回未找到。时间 Get O(1) Set O(1) 空间 O(N)
public class LRUCache {// public class ListNode { int key; int val; ListNode prev; ListNode next; public ListNode(int k, int v) { this.key = k; this.val = v; } } int size; int capacity; HashMap<Integer, ListNode> map; ListNode head; ListNode tail; public LRUCache(int capacity) { this.capacity = capacity; this.size = 0; this.map = new HashMap<Integer, ListNode>(); this.head = new ListNode(0, 0); this.tail = new ListNode(0, 0); head.next = tail; tail.prev = head; } public int get(int key) { ListNode n = map.get(key); if(n != null){ movehead(n); return n.val; } else { return -1; } } public void set(int key, int value) { ListNode node = map.get(key); if (node == null) { node = new ListNode(key, value); puthead(node); size++; } else { node.val = value; movehead(node); } if (size > capacity) { removelast(); size--; } map.put(key, node); } public void movehead(ListNode n) { n.next.prev = n.prev; n.prev.next = n.next; puthead(n); } public void puthead(ListNode n) { n.next = head.next; n.next.prev = n; head.next = n; n.prev = head; } public void removelast() { ListNode last = tail.prev; last.prev.next = tail; tail.prev = last.prev; map.remove(last.key); } }
没有评论:
发表评论