一些假设
这些假设不会改变我回答的要点,但它们意味着我们可以清楚术语,因为您没有发布最小、完整和可验证的示例。
问题
您的问题在于能够测试您的写入是否“干净”。
但是,您无需检查文件是否正确写入或是否已创建 - 您只需以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)
瞧!您现在拥有一个经过测试的写入流程,其中包含一个简单的即兴模拟,仅使用依赖注入而不是任意函数参数。