LRU 是 Least Recently Used 的縮寫,即最近最少使用。作為一種經典的快取策略,它的基本思想是長期不被使用的資料,在未來被用到的機率也不大,所以當新的資料進來時我們可以優先把這些資料替換掉。
下面提供兩種實現方式,並完成相關程式碼。
在 Javascript 中,Map 的 key 是有序的,當迭代的時候,他們以插入的順序返回鍵值。結合這個特性,我們也通過 Map 實現 LRU 演演算法。
我們也可通過雙向連結串列(Doubly Linked List)維護快取條目,通過對連結串列的增、刪、改實現資料管理。為確保能夠從連結串列中快速讀取某個節點的資料,我們可以通過 Map 來儲存對連結串列中節點的參照。
在 初始化時 完成兩件事情:
在 新增資料 時:
map.delete(map.keys().next().value)
基於 Javascript Map 實現 LRU,程式碼如下:
class LRUCache {
size = 5
constructor(size) {
this.cache = new Map()
this.size = size || this.size
}
get(key) {
if (this.cache.has(key)) {
// 存在即更新
let temp = this.cache.get(key)
this.cache.delete(key)
this.cache.set(key, temp)
return temp
}
return null
}
set(key, value) {
if (this.cache.has(key)) {
this.cache.delete(key)
}
if (this.cache.size >= this.size) {
this.cache.delete(this.cache.keys().next().value)
}
this.cache.set(key, value)
}
}
包含 prev
,next
,data
三個屬性,分別用以儲存指向前後節點的參照,以及當前節點要儲存的資料。
{
prev: Node
next: Node
data: { key: string, data: any}
}
包含 head
、tail
屬性,分別指向連結串列的 頭節點 和 尾節點。
當從連結串列中讀取資料時,需要將當前讀取的資料移動到連結串列頭部;新增資料時,將新節點插入到頭部;當連結串列節點數量大於限定的閥值,需要從連結串列尾部刪除節點。
{
head: Node
next: Node
moveNodeToHead(node)
insertNodeToHead(node)
deleteLastNode()
}
為 LRU 定義屬性:linkLine
用以儲存指向連結串列的參照;size
用以設定儲存空間大小限制;
為簡化從連結串列中查詢節點,再定義 map
屬性,用以儲存不同鍵指向連結串列節點的參照。
定義成員方法,set(key,value)
用以新增資料,get(key)
讀取一條資料。
如果 map 中存在當前 key,從連結串列中讀取節點,將其移動到連結串列頭部,並返回結果,否則返回空。
{
linkLine: LinkLine
map: Map
size: Number
set(key, value)
get(key)
}
class LinkNode {
prev = null
next = null
constructor(key, value) {
this.data = { key, value }
}
}
class LinkLine {
head = null
tail = null
constructor() {
const headNode = new LinkNode('head', 'head')
const tailNode = new LinkNode('tail', 'tail')
headNode.next = tailNode
tailNode.prev = headNode
this.head = headNode
this.tail = tailNode
}
moveNodeToFirst(node) {
node.prev.next = node.next
node.next.prev = node.prev
this.insertNodeToFirst(node)
}
insertNodeToFirst(node) {
const second = this.head.next
this.head.next = node
node.prev = this.head
node.next = second
second.prev = node
}
delete(node) {
node.prev.next = node.next
node.next.prev = node.prev
}
deleteLastNode() {
const last = this.tail.prev
this.tail.prev = last.prev
last.prev.next = this.tail
return last
}
}
class LRUCache {
linkLine = null
map = {}
size = 5
constructor(size) {
this.size = size || this.size
this.linkLine = new LinkLine
}
get(key) {
let value
if (this.map[key]) {
const node = this.map[key]
value = node.value
this.linkLine.moveNodeToFirst(node)
}
return value
}
set(key, value) {
if (this.map[key]) {
const node = this.map[key]
node.value = value
this.linkLine.moveNodeToFirst(node)
} else {
// 刪除最後一個元素
if (Object.keys(this.map).length >= this.size) {
const lastNode = this.linkLine.deleteLastNode()
delete this.map[lastNode.data.key]
}
const newNode = new LinkNode(key, value)
this.linkLine.insertNodeToFirst(newNode)
this.map[key] = newNode
}
}
}