ClickHouse/tests/integration/helpers/retry_decorator.py

Ignoring revisions in .git-blame-ignore-revs. Click here to bypass and see the normal blame view.

40 lines
1.3 KiB
Python
Raw Normal View History

2024-07-24 10:44:06 +00:00
import time
import random
from typing import Type, List
def retry(
retries: int = 5,
delay: float = 1,
backoff: float = 1.5,
jitter: float = 2,
2024-07-31 12:00:09 +00:00
log_function=None, # should take **kwargs or arguments: `retry_number`, `exception` and `sleep_time`
2024-07-24 10:44:06 +00:00
retriable_expections_list: List[Type[BaseException]] = [Exception],
):
def inner(func):
def wrapper(*args, **kwargs):
current_delay = delay
for retry in range(retries):
try:
func(*args, **kwargs)
break
except Exception as e:
should_retry = False
for retriable_exception in retriable_expections_list:
if isinstance(e, retriable_exception):
should_retry = True
break
if not should_retry or (retry == retries - 1):
raise e
sleep_time = current_delay + random.uniform(0, jitter)
2024-07-31 12:00:09 +00:00
if log_function is not None:
log_function(
retry_number=retry, exception=e, sleep_time=sleep_time
)
2024-07-24 10:44:06 +00:00
time.sleep(sleep_time)
current_delay *= backoff
return wrapper
return inner