41

MockMixin我需要为我的测试创建某种类型的。它应该包括调用外部源的所有东西的模拟。例如,每次我在管理面板中保存模型时,我都会调用一些远程 URL。像这样嘲笑和使用它会很好:

class ExampleTestCase(MockedTestCase):
    # tests

因此,每次我在管理员中保存模型时,例如在功能测试中,都会应用这个模拟而不是调用远程 URL。

这真的可能吗?我可以为 1 个特定的测试做到这一点,这不是问题。但是拥有一些全局模拟会更有用,因为我经常使用它。

4

3 回答 3

56

根据mock文档

Patch 可以用作 TestCase 类的装饰器。它通过装饰类中的每个测试方法来工作。当您的测试方法共享一个公共补丁集时,这会减少样板代码。

这基本上意味着您可以创建一个@patch应用了装饰器的基测试类,它可以模拟您的外部调用,同时执行内部的每个测试方法。

此外,您可以分别在和方法中使用start()stop()修补程序的方法:setUp()tearDown()

class BaseTestCase(TestCase):
    def setUp(self):
        self.patcher = patch('mymodule.foo')
        self.mock_foo = self.patcher.start()

    def tearDown(self):
        self.patcher.stop()
于 2014-09-15T22:11:04.900 回答
32

只是为了添加到alecxe 的答案,如果你正在使用,teardown()那么根据文档

您必须确保通过调用stop. 这可能比您想象的更复杂,因为如果在setUpthen中引发异常,则tearDown不会调用。

如果在您的测试中引发异常,您的补丁将不会被撤消。更好的方法是addCleanup()在你的setUp(). 然后你可以完全省略该tearDown()方法。

class BaseTestCase(TestCase):
    def setUp(self):
        self.patcher = patch('mymodule.foo')
        self.mock_foo = self.patcher.start()
        self.addCleanup(self.patcher.stop) # add this line
于 2015-07-28T20:21:46.457 回答
3

我最终创建了一个测试运行器来实现我的目的。我需要模拟文件存储,以便在测试时图像实际上不会写入文件系统。在许多测试中都会调用图像对象,因此不会修补每个类DRY。此外,我注意到模拟文件本身会将其留在系统中,以防测试失败。但是这个方法没有。

runner.py在项目根目录中创建了一个文件

# runner.py
from unittest.mock import patch

from django.test.runner import DiscoverRunner

from myapp.factories import ImageFactory


class UnitTestRunner(DiscoverRunner):

    @patch('django.core.files.storage.FileSystemStorage.save')
    def run_tests(self, test_labels, mock_save, extra_tests=None, **kwargs):
        mock_save.return_value = ImageFactory.get_image()
        return super().run_tests(test_labels, extra_tests=None, **kwargs)

然后我会使用python manage.py tests --testrunner=runner.UnitTestRunner


只是为了清楚起见,该ImageFactory.get_image方法是自定义方法

from django.core.files.base import ContentFile
from factory.django import DjangoModelFactory
from io import BytesIO
from PIL import Image as PilImage
from random import randint

class ImageFactory(DjangoModelFactory):

    @classmethod
    def get_image(cls, name='trial', extension='png', size=None):
        if size is None:
            width = randint(20, 1000)
            height = randint(20, 1000)
            size = (width, height)

        color = (256, 0, 0)

        file_obj = BytesIO()
        image = PilImage.new("RGBA", size=size, color=color)
        image.save(file_obj, extension)
        file_obj.seek(0)
        return ContentFile(file_obj.read(), f'{name}.{extension}')
于 2019-09-08T21:12:26.497 回答