Python port of ShadowsocksR
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

107 lines
2.7 KiB

11 years ago
#!/usr/bin/python
# -*- coding: utf-8 -*-
import collections
import logging
import heapq
import time
class LRUCache(collections.MutableMapping):
"""This class is not thread safe"""
11 years ago
def __init__(self, timeout=60, close_callback=None, *args, **kwargs):
11 years ago
self.timeout = timeout
11 years ago
self.close_callback = close_callback
10 years ago
self._store = {}
self._time_to_keys = collections.defaultdict(list)
self._keys_to_last_time = {}
10 years ago
self._last_visits = []
11 years ago
self.update(dict(*args, **kwargs)) # use the free update to set keys
def __getitem__(self, key):
10 years ago
# O(logm)
11 years ago
t = time.time()
self._keys_to_last_time[key] = t
10 years ago
self._time_to_keys[t].append(key)
heapq.heappush(self._last_visits, t)
return self._store[key]
11 years ago
def __setitem__(self, key, value):
10 years ago
# O(logm)
11 years ago
t = time.time()
self._keys_to_last_time[key] = t
10 years ago
self._store[key] = value
self._time_to_keys[t].append(key)
heapq.heappush(self._last_visits, t)
11 years ago
def __delitem__(self, key):
10 years ago
# O(1)
del self._store[key]
del self._keys_to_last_time[key]
11 years ago
def __iter__(self):
10 years ago
return iter(self._store)
11 years ago
def __len__(self):
10 years ago
return len(self._store)
11 years ago
def sweep(self):
10 years ago
# O(m)
11 years ago
now = time.time()
c = 0
10 years ago
while len(self._last_visits) > 0:
least = self._last_visits[0]
11 years ago
if now - least <= self.timeout:
break
if self.close_callback is not None:
for key in self._time_to_keys[least]:
if self._store.__contains__(key):
if now - self._keys_to_last_time[key] > self.timeout:
value = self._store[key]
self.close_callback(value)
10 years ago
for key in self._time_to_keys[least]:
heapq.heappop(self._last_visits)
if self._store.__contains__(key):
if now - self._keys_to_last_time[key] > self.timeout:
del self._store[key]
10 years ago
del self._keys_to_last_time[key]
c += 1
10 years ago
del self._time_to_keys[least]
11 years ago
if c:
logging.debug('%d keys swept' % c)
def test():
c = LRUCache(timeout=0.3)
c['a'] = 1
assert c['a'] == 1
time.sleep(0.5)
c.sweep()
assert 'a' not in c
c['a'] = 2
c['b'] = 3
time.sleep(0.2)
c.sweep()
assert c['a'] == 2
assert c['b'] == 3
time.sleep(0.2)
c.sweep()
c['b']
time.sleep(0.2)
c.sweep()
assert 'a' not in c
assert c['b'] == 3
time.sleep(0.5)
c.sweep()
assert 'a' not in c
assert 'b' not in c
if __name__ == '__main__':
test()