我正在尝试创建可以向现有协程添加以下功能的函数。
我在测试最后一个条件时遇到了问题。
def cached(cache, locks, f):
@wraps(f)
async def wrapper(*args, ttl=float('inf')):
value, updated_at = cache.get(args, (None, None))
if value and updated_at >= time() - ttl:
return value
else:
loading_sync = locks.setdefault(args, Sync())
if loading_sync.flag:
await loading_sync.condition.wait()
return cache[args]
else:
with await loading_sync.condition:
loading_sync.flag = True
result = await f(*args)
cache[args] = result, time()
loading_sync.flag = False
loading_sync.condition.notify_all()
return result
return wrapper
答案 0 :(得分:2)
要对这种情况进行单元测试,您可以使用期货,您可以随意解决。在这里使用非常简化的@cached
装饰器和函数:
@cached
async def test_mock(future):
await asyncio.wait_for(future, None)
func1_future = asyncio.Future()
func1_coro = test_mock(func1_future)
func2_coro = test_mock(...)
func1_future.set_result(True)
await func1_coro
await func2_coro
原始答案,基于误解:
逻辑非常简单:你将缓存放在某个地方,让我们使用一个简单的字典。当您第一次遇到特定参数时,在缓存位置创建Future
。每当您访问缓存时,请检查您的值是否为Future
,如果是,await
。非常简单的插图:
cache = dict()
async def memoizer(args):
if args in cache:
cached_value = cache[args]
if isinstance(cached_value, asyncio.Future):
cached_value = await asyncio.wait_for(cached_value, None)
return cached_value
else:
future = asyncio.Future()
cache[args] = future
value = await compute_value(args)
future.set_result(value)
cache[args] = value
return value