Python错误重试
一、安装
pip install tenacity
使用规则:
- 同一个参数,多个值用 |(或),+(与)进行组合使用
- 不同参数之间,只有组合使用,通过关键字参数传参即可
@retry() # 【无条件重试】, 只要抛出异常就会重试,直到执行不抛异常 # 一直重试 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(stop=stop_after_attempt(3)) # 指定【重试的次数】,如 3 次 # 重试 3 次后停止 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(stop=stop_after_delay(5)) # 指定【重试多长时候后停止】,如5秒 # 重试 5 秒后停止 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(stop=(stop_after_delay(2) | stop_after_attempt(50))) # stop_after_delay()和 stop_after_attempt()组合使用,只要其中一个条件满足,任务就停止 # 重试2秒或者重试50次停止 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(wait=wait_fixed(3)) # 指定每一次【重试时等待时间】: 如5秒,每一次重试前都要等待3秒钟 # 每次重试的等待时间3秒 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(wait=wait_random(min=1, max=5)) # 【重试时等待时间】在 min,max 之间随机取值 # 重试间隔时间 1-5 秒随机 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
# wait_fixed(3) 与 wait_random(0, 2)组合使用,两个条件都满足 # 比如每次等待 3 秒 @retry(wait=wait_fixed(3) + wait_random(0, 2)) # 随机等待 0-2 秒和每次等待 3 秒重试都满足才会重试 def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
@retry(retry=retry_if_exception_type(TypeError)) # 指定特定类型的异常出现时,任务才重试,会一直重试 # 指定 TypeError 才会重复 def test_demo(): print('执行 test_demo') print('a' + 1) test_demo()
from tenacity import * # 组合使用 @retry(wait=wait_random(min=1, max=5), stop=stop_after_attempt(3)) def test_demo(): print('执行 test_demo') raise Exception('手动抛出异常') test_demo()
不使用tenacity,自己手写 1.手动写装饰器 def retry(func): def wrap(*args, **kwargs): for _ in range(3): try: result = func(*args, **kwargs) return result except Exception as e: print('报错了,重试') return {} return wrap @retry def make_request(url): print('以下是发起请求的相关代码') 2.反复for循环 def login(): for i in range(10): # 重试10次 try: resp = requests.get('某某URL') return resp.json() except Exception as e: print(f'请求报错了,重试第{i}次') continue