面試題 16.25. LRU 快取
阿新 • • 發佈:2022-01-15
設計和構建一個“最近最少使用”快取,該快取會刪除最近最少使用的專案。快取應該從鍵對映到值(允許你插入和檢索特定鍵對應的值),並在初始化時指定最大容量。當快取被填滿時,它應該刪除最近最少使用的專案。
它應該支援以下操作: 獲取資料 get 和 寫入資料 put 。
獲取資料 get(key) - 如果金鑰 (key) 存在於快取中,則獲取金鑰的值(總是正數),否則返回 -1。
寫入資料 put(key, value) - 如果金鑰不存在,則寫入其資料值。當快取容量達到上限時,它應該在寫入新資料之前刪除最近最少使用的資料值,從而為新的資料值留出空間。
示例:
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
來源:力扣(LeetCode)
連結:https://leetcode-cn.com/problems/lru-cache-lcci
著作權歸領釦網路所有。商業轉載請聯絡官方授權,非商業轉載請註明出處。
心之所向,素履以往 生如逆旅,一葦以航import java.util.HashMap; import java.util.Map; class LRUCache { private Map<Integer, Node> cache; private Node head; private Node tail; private int size; private int capacity; static class Node { int key; int value; Node prev; Node next; public Node() { } public Node(int key, int value) { this.key = key; this.value = value; } } public LRUCache(int capacity) { this.cache = new HashMap<>(); this.head = new Node(); this.tail = new Node(); this.size = 0; this.capacity = capacity; this.head.next = this.tail; this.tail.prev = this.head; } private void add(Node node) { node.prev = head; node.next = head.next; head.next.prev = node; head.next = node; } private void delete(Node node) { node.prev.next = node.next; node.next.prev = node.prev; } public int get(int key) { Node node = cache.get(key); if (node == null) { return -1; } delete(node); add(node); return node.value; } public void put(int key, int value) { Node node = cache.get(key); if (node == null) { node = new Node(key, value); cache.put(key, node); add(node); size++; if (size > capacity) { Node delete = tail.prev; delete(delete); cache.remove(delete.key); size--; } } else { delete(node); add(node); node.value = value; } } } /** * 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); */