我正在使用Flask-Restful作为Python API,它运行良好。 现在,我想缓存的DB操作很少,我该怎么做呢?我在网上搜索过,有一些选项,比如烧瓶缓存和CacheTools,我无法决定。
Flask缓存主要是关于缓存请求而不是内部使用的数据,如果我错了,请纠正我。
Cachetools有一些有用的方法,比如lru_cache等,这对我有用吗?
PS:我主要是一个Java人,在以前的服务中习惯使用guava和spring boot,所以在python中寻找类似的东西。答案 0 :(得分:0)
早些时候,我也有这个问题。 最后,我使用Redis。
在werkeug
中,有一个缓存库,这使得Redis易于使用。
from werkzeug.contrib.cache import RedisCache
有关详细信息,请参阅doc
顺便说一句,如果你的应用程序在单个进程中运行(多线程也可以),你可以使用下面的代码。
class CachedItem:
def __init__(self, item, duration):
self.item = item
self.duration = duration
self.time_stamp = time.time()
def __repr__(self):
return '<CachedItem {%s} expires at: %s>' % (self.item, time.time() + self.duration)
class CachedDict(dict):
def __init__(self, *args, **kwargs):
super(CachedDict, self).__init__(*args, **kwargs)
self.lock = threading.Lock()
def get_cache(self, key, default=None, duration=300):
with self.lock:
self._clean()
if key in self:
return self[key].item
else:
self[key] = CachedItem(default, duration)
return self[key].item
def set_cache(self, key, value, duration=300):
with self.lock:
self[key] = CachedItem(value, duration)
def _clean(self):
for key in list(self.keys()): # [self.keys()] error, we get dict_keys type
if self[key].time_stamp + self[key].duration <= time.time():
self.pop(key)