模拟文件打开并抛出异常

Mocking file open and throwing exception

我是 python 测试的新手。我正在使用 pytest 并开始学习模拟和补丁。我正在尝试为我的一种方法编写测试用例。

helper.py

def validate_json_specifications(path_to_data_folder, json_file_path, json_data) -> None:

    """ Validates the json data with a schema file.
    :param path_to_data_folder: Path to the root folder where all the JSON & schema files are located.
    :param json_file_path: Path to the json file
    :param json_data: Contents of the json file
    :return: None
    """

    schema_file_path = os.path.join(path_to_data_folder, "schema", os.path.basename(json_file_path))
    resolver = RefResolver('file://' + schema_file_path, None)
    with open(schema_file_path) as schema_data:
        try:
            Draft4Validator(json.load(schema_data), resolver=resolver).validate(json_data)
        except ValidationError as e:
            print('ValidationError: Failed to validate {}: {}'.format(os.path.basename(json_file_path), str(e)))
            exit()

我要测试的东西是:

  1. 是否实例化了 Draft4Validator class 并且使用 json_data 调用了验证方法?
  2. 是否抛出ValidationError并调用exit?

这是我迄今为止尝试编写的测试用例。我决定修补 open 方法 & Draft4Validator class.

@patch('builtins.open', mock_open(read_data={}))
@patch('myproject.common.helper.jsonschema', Draft4Validator())
def test_validate_json_specifications(mock_file_open, draft_4_validator_mock):
    validate_json_specifications('foo_path_to_data', 'foo_json_file_path', {})
    mock_file_open.assert_called_with('foo_path_to_data/schema/foo_json_file_path')
    draft_4_validator_mock.assert_called()

我想将一些虚假数据和路径传递给我的方法,而不是尝试传递真实数据。我收到此错误消息

更新:

    @patch('myproject.common.helper.jsonschema', Draft4Validator())
E   TypeError: __init__() missing 1 required positional argument: 'schema'

如何专门为 2 个方法创建补丁 Draft4Validator 以及如何模拟 ValidationError 异常?

您修补 Draft4Validator 错误。基本上,您所做的是创建一个没有所需参数的新 Draft4Validator 对象,并每次将其分配给 myproject.common.helper.jsonschema 调用(如果您使用所需参数创建它)。

在此处阅读更多相关信息:https://docs.python.org/3/library/unittest.mock-examples.html#patch-decorators

用于检查关于预期异常检查的断言:http://doc.pytest.org/en/latest/assert.html#assertions-about-expected-exceptions

根据你的问题和要求,我猜你想要类似这样的东西:

@patch('sys.exit')
@patch('myproject.common.helper.jsonschema.Draft4Validator')
@patch('builtins.open')
def test_validate_json_specifications(mock_file_open, draft_4_validator_mock, exit_mock):
    with pytest.raises(ValidationError):
        mock_file_open.return_value = {}
        draft_4_validator_mock = Mock()
        draft_4_validator_mock.side_effect = ValidationError

        validate_json_specifications('foo_path_to_data', 'foo_json_file_path', {}) 

        assert draft_4_validator_mock.call_count == 1
        assert draft_4_validator_mock.validate.assert_called_with({})        
        assert exit_mock.call_count == 1