可以使用 Autodata xUnit 理论注入 SUT 的特定构造函数参数吗?

问题描述 投票:0回答:1

考虑以下测试,

[Theory, MyConventions]
public void GetClientExtensionReturnsCorrectValue(BuilderStrategy sut)
{
    var expected = ""; // <--??? the value injected into BuilderStrategy
    var actual = sut.GetClientExtension();
    Assert.Equal(expected, actual);
}

以及我正在使用的自定义属性:

public class MyConventionsAttribute : AutoDataAttribute {
    public MyConventionsAttribute()
        : base(new Fixture().Customize(new AutoMoqCustomization())) {}
}

和 SUT:

class BuilderStrategy {
    private readonly string _clientID;
    private readonly IDependency _dependency;
    public void BuilderStrategy(string clientID, IDependency dependency) {
        _clientID = clientID;
        _dependency = dependency;      
    }
    public string GetClientExtension() {
        return _clientID.Substring(_clientID.LastIndexOf("-") + 1);
    }
}

我需要知道构造函数参数

clientID
中注入了什么值,以便我可以使用它与
GetClientExtension
的输出进行比较。是否可以在编写这种将 SUT 注入测试方法的测试风格的同时执行此操作?

c# unit-testing dependency-injection xunit autofixture
1个回答
6
投票

如果您将注入的

clientID
(以及
dependency
)公开为只读属性,您始终可以查询它们的值:

public class BuilderStrategy {
    private readonly string _clientID;
    private readonly IDependency _dependency;
    public void BuilderStrategy(string clientID, IDependency dependency) {
        _clientID = clientID;
        _dependency = dependency;      
    }
    public string GetClientExtension() {
        return _clientID.Substring(_clientID.LastIndexOf("-") + 1);
    }

    public string ClientID
    {
        get { return _clientID; }
    }

    public IDependency Dependency
    {
        get { return _dependency; }
    }
}

不会破坏封装,而是被称为结构检查

通过此更改,您现在可以像这样重写测试:

[Theory, MyConventions]
public void GetClientExtensionReturnsCorrectValue(BuilderStrategy sut)
{
    var expected = sut.ClientID.Substring(sut.ClientID.LastIndexOf("-") + 1);
    var actual = sut.GetClientExtension();
    Assert.Equal(expected, actual);
}

有些人不喜欢在单元测试中重复生产代码,但我宁愿认为,如果你遵循测试驱动开发,那么生产代码就会重复测试代码。

无论如何,这是一种称为“衍生价值”的技术。在我看来,只要它保留圈复杂度为 1,我们仍然可以信任该测试。此外,只要重复的代码只出现在两个地方,三规则建议我们应该保持这样。

© www.soinside.com 2019 - 2024. All rights reserved.