-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmemoize.py
69 lines (56 loc) · 2.33 KB
/
memoize.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
58
59
60
61
62
63
64
65
66
67
68
69
# from http://code.activestate.com/recipes/498245/
from collections import deque
def lru_cache(maxsize):
'''Decorator applying a least-recently-used cache with the given maximum size.
Arguments to the cached function must be hashable.
Cache performance statistics stored in f.hits and f.misses.
'''
def decorating_function(f):
cache = {} # mapping of args to results
queue = deque() # order that keys have been accessed
refcount = {} # number of times each key is in the access queue
def wrapper(*args):
# localize variable access (ugly but fast)
_cache=cache; _len=len; _refcount=refcount; _maxsize=maxsize
queue_append=queue.append; queue_popleft = queue.popleft
# get cache entry or compute if not found
try:
result = _cache[args]
wrapper.hits += 1
except KeyError:
result = _cache[args] = f(*args)
wrapper.misses += 1
# record that this key was recently accessed
queue_append(args)
_refcount[args] = _refcount.get(args, 0) + 1
# Purge least recently accessed cache contents
while _len(_cache) > _maxsize:
k = queue_popleft()
_refcount[k] -= 1
if not _refcount[k]:
del _cache[k]
del _refcount[k]
# Periodically compact the queue by duplicate keys
if _len(queue) > _maxsize * 4:
for i in [None] * _len(queue):
k = queue_popleft()
if _refcount[k] == 1:
queue_append(k)
else:
_refcount[k] -= 1
assert len(queue) == len(cache) == len(refcount) == sum(refcount.itervalues())
return result
wrapper.__doc__ = f.__doc__
wrapper.__name__ = f.__name__
wrapper.hits = wrapper.misses = 0
return wrapper
return decorating_function
if __name__ == '__main__':
@lru_cache(maxsize=20)
def f(x, y):
return 3*x+y
domain = range(5)
from random import choice
for i in range(1000):
r = f(choice(domain), choice(domain))
print f.hits, f.misses