-
Notifications
You must be signed in to change notification settings - Fork 1.5k
/
146_LRU_Cache.py
57 lines (52 loc) · 1.43 KB
/
146_LRU_Cache.py
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
class LRUCache(object):
def __init__(self, capacity):
"""
:type capacity: int
"""
self.capacity = capacity
self.cache = {}
self.queue = []
def updateQueue(self, key):
self.queue.remove(key)
self.queue.insert(0, key)
def get(self, key):
"""
:rtype: int
"""
if key in self.cache:
self.updateQueue(key)
return self.cache[key]
else:
return -1
def put(self, key, value):
"""
:type key: int
:type value: int
:rtype: nothing
"""
if key in self.cache:
self.queue.remove(key)
elif len(self.queue) == self.capacity:
del self.cache[self.queue.pop(-1)]
self.cache[key] = value
self.queue.insert(0, key)
# def __init__(self, capacity):
# self.dic = collections.OrderedDict()
# self.remain = capacity
#
# def get(self, key):
# if key not in self.dic:
# return -1
# v = self.dic.pop(key)
# self.dic[key] = v # set key as the newest one
# return v
#
# def put(self, key, value):
# if key in self.dic:
# self.dic.pop(key)
# else:
# if self.remain > 0:
# self.remain -= 1
# else: # self.dic is full
# self.dic.popitem(last=False)
# self.dic[key] = value