我在重试任务时遇到问题,这是测试任务的样子
from celery.decorators import task
@task()
def add(x, y):
if not x or not y:
raise Exception("test error")
return x+y
我找不到任何关于如何重试装饰任务的文档,我发现的全是:
self.retry(x,y, exc=exception, countdown=30)
这似乎不适用于我的情况,因为没有从该方法传递self
变量。
我正在尝试以下现在无济于事:
from celery.decorators import task
@task()
def add(x, y):
if not x or not y:
try:
raise Exception("test error")
except Exception, e:
add.retry([x, y], exc=e, countdown=30)
return x+y
我收到以下错误:
TypeError(“重试的kwargs参数不能为空。任务必须接受** kwargs,请参阅http://bit.ly/cAx3Bg”,)
答案 0 :(得分:26)
您可以在装饰器中设置重试参数:
@task(default_retry_delay=5 * 60, max_retries=12)
def foo(bar):
try:
...
except Exception, exc:
raise foo.retry(exc=exc)
答案 1 :(得分:16)
任务需要接受关键字参数,它们用于传递有关重试计数的信息。我认为代码应如下所示:
from celery.decorators import task
@task()
def add(x, y, **kwargs):
if not x or not y:
try:
raise Exception("test error")
except Exception, e:
add.retry(args=[x, y], exc=e, countdown=30, kwargs=kwargs)
return x+y
**kwargs
需要添加到add
函数的签名中,并在调用retry时以kwargs=kwargs
传递。