试想假如我们有个HTTP 服务,有些基本配置不会频繁更改,但是会在每个http请求中被用到,这时候我们就需要用到缓存,python提供了cachetools包用来缓存,当然你也可以使用redis做缓存。
cachetools,这是一个可扩展的基于内存的 Collections、Decorators 的封装实现。
因为是 Cache,那么就一定有它的页面置换算法。根据操作系统学过的一些知识,置换算法就会有 LRU、LFU、FIFO 等等。比如说,当 Cache 已经满了的情况下,如果这时候再插入一个新的数据,那么这时候就需要根据页面置换算法对已有的数据进行置换,用新的数据替代旧的数据,保证 Cache 最大占用量不会超标。
安装
pip install cachetools
Cache子类
FIFO:First In、First Out,就是先进先出。
LFU:Least Frequently Used,就是淘汰最不常用的。
LRU:Least Recently Used,就是淘汰最久不用的。
MRU:Most Recently Used,与 LRU 相反,淘汰最近用的。
RR:Random Replacement,就是随机替换。
Demo
from cachetools import Cache,FIFOCache
fifo = FIFOCache(maxsize=3)
fifo["1"]="hello"
fifo["2"]="hello2"
fifo["3"]="hello3"
key,value = fifo.popitem()# 返回元组
print(key+value)
LFUCache
from cachetools import LFUCache
cache = LFUCache(maxsize=10)
for i in range(11):
cache[str(i)] = str(i)
for ij in range(1,8):
value = cache[str(ij)]
print(value)
for item in cache.items():
print(item)
cache['15'] = "test"
for item in cache.items():
print(item)
TTL Cache
from datetime import timedelta, datetime
from cachetools import TTLCache
from time import sleep
cache = TTLCache(maxsize=3, ttl=timedelta(seconds=5), timer=datetime.now)
cache['1'] = 'hi'
sleep(1)
cache['2'] = '123'
print(cache.items)
sleep(4.5)
print(cache.items)
sleep(1)
print(cache.items)
官网:https://cachetools.readthedocs.io/en/stable/