Python代码中的“重新来过”
Crossin的编程教室
共 3844字,需浏览 8分钟
·
2021-03-26 15:17
大家好,欢迎来到 Crossin的编程教室 !
当我们的代码在进行一些网络请求或等其他非代码可控的操作时,很可能遇到异常而引起功能性问题。比如在发送请求时,会因为网络不稳定,造成请求超时的情况。
为了避免这种问题,我们通常会在代码中加入重试的代码。重试的代码本身不难实现,比如我们可以用一个 while + try 的结构:
retries = 0
while retries < 3:
try:
# 这里是可能异常的功能代码
break
except:
retries += 1
print('error')
虽然这么写没问题,但毕竟多了好几行代码。那有没有更简便更优雅的方法呢?
这里就给大家介绍一个第三方库 - Tenacity
,它实现了几乎我们可以使用到的所有重试场景,比如:
在什么情况下才进行重试? 重试几次呢? 重试多久后结束? 每次重试的间隔多长呢? 重试失败后的回调?
0. 安装
因为是第三方模块,所以在使用它之前 ,先要安装它:
$ pip install tenacity
1. 最基本的重试
无条件重试,重试之间无间隔
from tenacity import retry
@retry
def test_retry():
print("等待重试,重试无间隔执行...")
raise Exception
test_retry()
无条件重试,但是在重试之前要等待 2 秒
from tenacity import retry, wait_fixed
@retry(wait=wait_fixed(2))
def test_retry():
print("等待重试...")
raise Exception
test_retry()
2. 设置停止基本条件
只重试7 次
from tenacity import retry, stop_after_attempt
@retry(stop=stop_after_attempt(7))
def test_retry():
print("等待重试...")
raise Exception
test_retry()
重试 10 秒后不再重试
from tenacity import retry, stop_after_delay
@retry(stop=stop_after_delay(10))
def test_retry():
print("等待重试...")
raise Exception
test_retry()
或者上面两个条件满足一个就结束重试
from tenacity import retry, stop_after_delay, stop_after_attempt
@retry(stop=(stop_after_delay(10) | stop_after_attempt(7)))
def test_retry():
print("等待重试...")
raise Exception
test_retry()
3. 设置何时进行重试
在出现特定错误/异常(比如请求超时)的情况下,再进行重试
from requests import exceptions
from tenacity import retry, retry_if_exception_type
@retry(retry=retry_if_exception_type(exceptions.Timeout))
def test_retry():
print("等待重试...")
raise exceptions.Timeout
test_retry()
在满足自定义条件时,再进行重试。
如下示例,当 test_retry
函数返回值为 False 时,再进行重试
from tenacity import retry, stop_after_attempt, retry_if_result
def is_false(value):
return value is False
@retry(stop=stop_after_attempt(3),
retry=retry_if_result(is_false))
def test_retry():
return False
test_retry()
4. 重试后错误重新抛出
当出现异常后,tenacity 会进行重试,若重试后还是失败,默认情况下,往上抛出的异常会变成 RetryError,而不是最根本的原因。
因此可以加一个参数(reraise=True
),使得当重试失败后,往外抛出的异常还是原来的那个。
from tenacity import retry, stop_after_attempt
@retry(stop=stop_after_attempt(7), reraise=True)
def test_retry():
print("等待重试...")
raise Exception
test_retry()
5. 设置回调函数
当最后一次重试失败后,可以执行一个回调函数
from tenacity import *
def return_last_value(retry_state):
print("执行回调函数")
return retry_state.outcome.result() # 表示返回原函数的返回值
def is_false(value):
return value is False
@retry(stop=stop_after_attempt(3),
retry_error_callback=return_last_value,
retry=retry_if_result(is_false))
def test_retry():
print("等待重试中...")
return False
print(test_retry())
输出如下
等待重试中...
等待重试中...
等待重试中...
执行回调函数
False
_往期文章推荐_
评论