0

我正在使用 Flask-Restful 作为 Python API,它运行良好。现在,我想缓存的数据库操作很少,我该怎么做?我在网上搜索过,有几个选项,如烧瓶缓存和 CacheTools,我无法决定。

Flask 缓存主要是关于缓存请求而不是内部使用的数据,如果我错了,请纠正我。

Cachetools 有一些有用的方法,比如 lru_cache 等,对我有用吗?

PS:我主要是一个Java人,以前在我以前的服务中使用过带有spring boot的guava,所以在python中寻找类似的东西。

4

1 回答 1

0

早些时候,我也遇到了这个问题。最后,我使用了 Redis。

并且在 中 werkeug,有一个缓存库,这使得 Redis 易于使用。

from werkzeug.contrib.cache import RedisCache

有关更多信息,请参阅文档

顺便说一句,如果您的应用程序在单进程中运行(多线程也可以),您可以使用下面的代码。

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)
于 2017-07-09T13:29:30.453 回答