0

我的代码看起来有点像这样:

def write_wallet_file_entry(name, value, wallet_file, wallet_password):
    some_code
    some_more_code_to_write_to_the_wallet
    ...

我正在使用 Python (2.6) 并使用 unittest 模块对这段代码进行单元测试。代码创建钱包文件,如果它不存在,然后将一堆键值对写入其中。

一旦我写入钱包,我就无法进行文本解析来确认写入是否干净。

澄清:陈述不那么明显:我不能使用“unittest.mock”或“mock”模块,这会使问题更容易解决。我的环境卡在 python 2.6 上,没有“virtualenv”,没有“mock”模块,并且不允许在系统上安装外部模块。

任何建议都会非常有帮助。

4

1 回答 1

1

一些假设

这些假设不会改变我回答的要点,但它们意味着我们可以清楚术语,因为您没有发布最小、完整和可验证的示例

  • “钱包文件”实际上是一个类似文件的对象。它遵循与文件流对象相同的语义,Pythonopen()是对文件流对象的直接包装。

  • 只有wallet_fileandwallet_password是特定于钱包文件的。name并且value是您寻求传递给文件的键值对。

问题

您的问题在于能够测试您的写入是否“干净”。

但是,您无需检查文件是否正确写入或是否已创建 - 您只需以file这种方式测试 Python 的对象,这已经经过了非常强大的测试。

单元测试的重点是测试您编写的代码,而不是外部服务。应该始终假设外部服务在单元测试中完成了它的工作——您只在集成测试中测试外部服务。

需要一种方法来确保您发送的要写入的值被正确接收且没有乱码,并且您创建文件的请求以您想要的格式接收。测试消息,而不是收件人

一种方法

一种技术是将您的输入抽象为一个类,并将其子类化以具有虚拟方法。然后,您可以将子类用作美化的模拟,用于所有意图和目的。

换句话说,改变

def write_wallet_file_entry(name, value, wallet_file, wallet_password):
    ...

class Wallet(object):

    def __init__(self, wallet_file, wallet_password):
        self.file = wallet_file
        self.password = wallet_password

    def exists(self):            
        # code to check if file exists in filesystem

    def write(self, name, value):
        # code to write name, value

def write_wallet_file_entry(name, value, WalletObject):
    assert isinstance(WalletObject, Wallet), "Only Wallets allowed" 
    if WalletObject.exists():
        WalletObject.write(name, value)

要进行测试,您现在可以创建MockWallet

class MockWallet(Wallet):

    def __init__(self, wallet_file, wallet_password):
        super(MockWallet, self).__init__(wallet, wallet_password)
        self.didCheckExists = False
        self.didAttemptWrite = False
        self.didReceiveCorrectly = False

    def exists(self):
        super(MockWallet, self).exists()
        self.didCheckExists = True

    def write(self, name, value):
        # ... some code to validate correct arguments were pass
        self.didReceiveCorrectly = True
        if super(MockWallet, self).write(name, value):
            self.didAttemptWrite = True

现在您可以在生产中使用相同的函数(只需传递一个Wallet!)和测试(只需传递一个MockWallet并检查该对象的属性!):

import unittest
from ... import MockWallet, write_wallet_file_entry

class Test(unittest.TestCase):

    def testWriteFlow(self):
        mock = MockWallet()
        name, value = 'random', 'more random'
        write_wallet_file_entry(name, value, mock)

        self.assertTrue(mock.didCheckExists)
        self.assertTrue(mock.didAttemptWrite)
        self.assertTrue(mock.didReceiveCorrectly)

瞧!您现在拥有一个经过测试的写入流程,其中包含一个简单的即兴模拟,仅使用依赖注入而不是任意函数参数。

于 2017-06-11T06:44:02.187 回答