我为两个Celery任务编写了两个简单的集成测试,但是 当我运行它们时,我得到的结果不一致。我可以跑一分钟 并且一个或两个将通过然后运行它们几秒钟和一个 或者两者都会失败。为什么这些结果与一个结果不一致 试运行到下一个?此外,这些测试是否实际测试了Celery任务是否被发送到队列并由工作人员执行?
谢谢!
以下是任务:
# apps/photos/tasks.py
from __future__ import absolute_import
from conf.celeryapp import app
@app.task
def hello():
return 'Hello world!'
@app.task
def add(x, y):
return x + y
以下是测试:
# apps/photos/tests/task_tests.py
from django.test import TestCase
from django.test.utils import override_settings
from apps.photos.tasks import hello, add
class TaskTestIT(TestCase):
@override_settings(CELERY_EAGER_PROPAGATES_EXCEPTIONS=True,
CELERY_ALWAYS_EAGER=True,
BROKER_BACKEND='memory')
def test_hello(self):
result = hello.delay()
self.assertTrue(result.successful())
self.assertEqual(str(result.result), 'Hello world!')
def test_add(self):
result = add.delay(1, 1)
self.assertTrue(result.successful())
self.assertEquals(result.get(), 2)
我用这个命令运行我的测试:
./manage.py test -s
我使用django-nose作为我的测试跑步者:
# conf/settings/base.py
USE_DJANGO_NOSE = True
if USE_DJANGO_NOSE:
INSTALLED_APPS += ( 'django_nose', )
TEST_RUNNER = 'django_nose.NoseTestSuiteRunner'
以下是我的Celery应用和配置文件:
# conf/celeryapp.py
from celery import Celery
app = Celery('celeryapp')
app.config_from_object('conf.celeryconfig')
app.autodiscover_tasks(['apps.photos'])
# conf/celeryconfig.py
from kombu import Queue, Exchange
BROKER_URL = 'amqp://'
CELERY_RESULT_BACKEND = 'amqp://'
CELERY_DEFAULT_QUEUE = 'default'
CELERY_QUEUES = (
Queue('default', Exchange('default'), routing_key='default'),
Queue('photos', Exchange('photos'), routing_key='photos'),
Queue('mail', Exchange('mail'), routing_key='mail'),
)
CELERY_ROUTES = (
{'apps.photos.tasks.hello': {'queue': 'default', 'routing_key': 'default'}},
{'apps.photos.tasks.add': {'queue': 'photos', 'routing_key': 'photos'}},
{'apps.photos.tasks.send_email': {'queue': 'mail', 'routing_key': 'mail'}},
)
答案 0 :(得分:2)
Task.delay()
不返回任务的实际结果,它返回一个AsyncResult
对象,该对象将包含执行任务时的结果。您的不同结果是由于有时任务执行的速度比测试开始检查结果的速度快,有时需要更长的时间。这取决于系统的负载等。
你应该做的是先调用result.get()
等待任务完成执行,然后才能检查它是否为.successful()
等。
例如,以下内容应产生一致的结果:
def test_hello(self):
result = hello.delay()
result.get()
self.assertTrue(result.successful())
self.assertEqual(str(result.result), 'Hello world!')