3

我想测试一个huey任务,并且需要修补requests.get.

# huey_tasks.py

from huey import RedisHuey

huey = RedisHuey()

@huey.task()
def function():
    import requests
    print(requests.get('http://www.google.com'))

运行测试的文件:

import huey_tasks

@patch('requests.get')
def call_patched(fake_get):
    fake_get.return_value = '1'
    huey_tasks.function()

启动 huey_consumer:huey_tasks.huey -w 10 -l logs/huey.log
运行测试,但是补丁没有任何效果。

[2016-01-24 17:01:12,053] INFO:requests.packages.urllib3.connectionpool:Worker-1:Starting new HTTP connection (1): www.google.com
[2016-01-24 17:01:12,562] INFO:requests.packages.urllib3.connectionpool:Worker-1:Starting new HTTP connection (1): www.google.com.sg
<Response[200]>

如果我移除@huey.task()装饰器,则修补工作1并被打印。

那么我应该如何测试huey任务呢?毕竟,我不能每次都删除装饰器,必须是更好的方法。

4

2 回答 2

2

OK,终于找到了测试的方法

# huey_tasks.py

def _function():
    import requests
    print(requests.get('http://www.google.com'))

function = huey.task()(_function)
import huey_tasks

重要的部分是先定义实际的任务功能,然后再装饰它。请注意,这huey.task是一个需要参数的装饰器。

@patch('requests.get')
def test_patched(fake_get):
    fake_get.return_value = '1'
    huey_tasks._function()

直接运行测试代码而不启动huey_consumer.

于 2016-01-25T06:57:38.260 回答
0

如果我没看错,这就是你的问题

  • Huey 任务在单独的消费者进程中运行

  • 单元测试在自己的进程中运行

进程不能模拟或修补另一个。任何一个

  • 制作你的代码路径,这样你就不需要模拟补丁消费者进程......不要直接调用任务,而是让它们成为你可以公开和修补的函数

  • 使用线程在您的测试过程中运行 huey

于 2016-01-24T12:41:36.727 回答