2022-09-05 12:54:02 +00:00
|
|
|
"""
|
|
|
|
Some useful helpers for working in async contexts.
|
|
|
|
"""
|
|
|
|
|
2022-09-04 22:30:40 +00:00
|
|
|
from asyncio import get_running_loop
|
|
|
|
from functools import partial, wraps
|
|
|
|
from time import time
|
2022-09-08 00:24:36 +00:00
|
|
|
from typing import Awaitable, Callable, TypeVar
|
2022-09-04 22:30:40 +00:00
|
|
|
|
|
|
|
from async_lru import alru_cache
|
|
|
|
|
2022-09-06 22:45:23 +00:00
|
|
|
from .settings import SETTINGS
|
|
|
|
|
2022-09-08 00:24:36 +00:00
|
|
|
RT = TypeVar("RT")
|
2022-09-04 22:30:40 +00:00
|
|
|
|
2022-09-08 00:24:36 +00:00
|
|
|
|
|
|
|
def run_in_executor(
|
|
|
|
function: Callable[..., RT]
|
|
|
|
) -> Callable[..., Awaitable[RT]]:
|
2022-09-04 22:30:40 +00:00
|
|
|
"""
|
2022-09-05 12:54:02 +00:00
|
|
|
Decorator to make blocking a function call asyncio compatible.
|
2022-09-04 22:30:40 +00:00
|
|
|
https://stackoverflow.com/questions/41063331/how-to-use-asyncio-with-existing-blocking-library/
|
2022-09-05 13:02:15 +00:00
|
|
|
https://stackoverflow.com/a/53719009
|
2022-09-04 22:30:40 +00:00
|
|
|
"""
|
|
|
|
|
2022-09-08 00:24:36 +00:00
|
|
|
@wraps(function)
|
|
|
|
async def wrapper(*args, **kwargs) -> RT:
|
2022-09-04 22:30:40 +00:00
|
|
|
loop = get_running_loop()
|
2022-09-05 13:02:15 +00:00
|
|
|
return await loop.run_in_executor(
|
2022-09-04 22:30:40 +00:00
|
|
|
None,
|
2022-09-08 00:24:36 +00:00
|
|
|
partial(function, *args, **kwargs),
|
2022-09-04 22:30:40 +00:00
|
|
|
)
|
|
|
|
|
2022-09-05 13:02:15 +00:00
|
|
|
return wrapper
|
2022-09-04 22:30:40 +00:00
|
|
|
|
|
|
|
|
2022-09-06 22:45:23 +00:00
|
|
|
def get_ttl_hash() -> int:
|
2022-09-04 22:30:40 +00:00
|
|
|
"""
|
2022-09-05 12:54:02 +00:00
|
|
|
Return the same value within `seconds` time period.
|
2022-09-04 22:30:40 +00:00
|
|
|
https://stackoverflow.com/a/55900800
|
|
|
|
"""
|
2022-09-05 12:54:02 +00:00
|
|
|
|
2022-09-09 02:41:15 +00:00
|
|
|
return round(time() / SETTINGS.cache_time)
|
2022-09-04 22:30:40 +00:00
|
|
|
|
|
|
|
|
2022-09-06 07:55:44 +00:00
|
|
|
def timed_alru_cache(*decorator_args, **decorator_kwargs):
|
2022-09-05 12:54:02 +00:00
|
|
|
"""
|
|
|
|
Decorator which adds an (unused) param `ttl_hash`
|
2022-09-06 07:55:44 +00:00
|
|
|
and the `alru_cache` annotation to a function.
|
2022-09-05 12:54:02 +00:00
|
|
|
"""
|
|
|
|
|
2022-09-04 22:30:40 +00:00
|
|
|
def decorate(f):
|
2022-09-06 07:55:44 +00:00
|
|
|
@alru_cache(*decorator_args, **decorator_kwargs)
|
2022-09-04 22:30:40 +00:00
|
|
|
@wraps(f)
|
|
|
|
async def wrapper(ttl_hash: int, *args, **kwargs):
|
|
|
|
del ttl_hash
|
|
|
|
|
|
|
|
return await f(*args, **kwargs)
|
|
|
|
|
|
|
|
return wrapper
|
|
|
|
|
|
|
|
return decorate
|