-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path146_LRU_cache.swift
94 lines (85 loc) · 2.17 KB
/
146_LRU_cache.swift
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
class Node {
var key: Int
var val: Int
var prev: Node?
var next: Node?
init(_ key: Int, _ val: Int) {
self.key = key
self.val = val
}
}
class LRUCache {
// FIFO approach
// if there are calls about an old data, update the array order: [oldest ~ latest]
// always remove from first, and add at the end
var cache: [Int:Node] = [:]
var size = 0
var count = 0
var head: Node? // the latest node
var tail: Node? // the oldest node
init(_ capacity: Int) {
size = capacity
}
func get(_ key: Int) -> Int {
if let node = cache[key] {
// change order: move this node to the latest one in list
moveToHead(node)
return node.val
}
return -1
}
func put(_ key: Int, _ value: Int) {
// check if key exists in the cache
if let node = cache[key] {
// change order
node.val = value
moveToHead(node)
} else {
// add new node to the top
addToHead(key, value)
}
if count > size {
// remove the oldest node
cache[tail!.key] = nil
tail = tail?.prev
tail?.next = nil
count -= 1
}
// print(cache)
}
func moveToHead(_ node: Node) {
if node === head {
return
} else {
// remove from original location
node.prev?.next = node.next
node.next?.prev = node.prev
// insert to the top
node.next = head
head?.prev = node
head = node
}
if node === tail {
tail = tail?.prev
tail?.next = nil
}
}
func addToHead(_ key: Int, _ val: Int) {
// add the new node to the top
let node = Node(key, val)
node.next = head
head?.prev = node
head = node
cache[key] = node
count += 1
if tail == nil {
tail = head
}
}
}
/**
* Your LRUCache object will be instantiated and called as such:
* let obj = LRUCache(capacity)
* let ret_1: Int = obj.get(key)
* obj.put(key, value)
*/