1

我有一个无法测试的设置提供程序(企业遗留代码)。我正在尝试将设置提供程序包装在设置存储库中,以减少不可测试代码的数量。因此,我们将有 1 个使用 Settings 提供程序的方法,而不是 20 个方法。其余的实现 SettingsRepository 接口。

不过,之后我在进行测试时遇到了麻烦,这通常表明我做错了什么。

我希望你能帮助找出什么。

    public class SettingsRepository : ISettingsRepository
{
    public SettingsRepository() {Settings = Settings.Default; }
    public Settings Settings { get; set; }
}

public interface ISettingsRepository
{
    Settings Settings { get; set; }
}

我使用统一注入存储库。我从存储库中获取内容的方式如下:

_settingsRepository.Settings.SecureCache

所以这就是问题所在。我可以使用nsubstitute模拟/存根 SettingsRepository 接口,但我需要做的实际上是模拟“设置”以设置 SecureCache 的返回。

有没有办法在 nsubstitute 中“深度模拟”所以我可以做类似的事情:

_settingsRepository.Settings.SecureCache.Returns("www.somepath.com");

目前“设置”为空,我没有可以在那里模拟的任何东西。

我的后备解决方案是直接在 SettingsRepository 上添加所有设置字段,但我希望避免这种情况,因为它只会将不可测试的代码移动到解决方案的其他位置。

4

1 回答 1

1

使用 NSubstitue (版本 1.5.0.0 )您可以执行以下操作。您可以创建一个 Settings 实例(或者您甚至可以创建一个假实例),然后返回假 SecureCache,如下所示。

 public class SettingsRepository : ISettingsRepository {
    public SettingsRepository() { Settings = Settings.Default; }
    public Settings Settings { get; set; }
}

public interface ISettingsRepository {
    Settings Settings { get; set; }
}

public class Settings {
    public Settings Default { get; set; }
    public string SecureCache { get; set; }
}

[TestFixture]
public class TestClass
{
    [Test]
    public void Subject_Scenario_Expectation()
    {
        var repoStub = Substitute.For<ISettingsRepository>();
        repoStub.Settings.Returns(new Settings() { SecureCache = "www.somepath.com" });

        Assert.IsNotNull(repoStub.Settings);
        Assert.IsNotNull(repoStub.Settings.SecureCache);
    }
}
于 2013-12-16T10:19:41.727 回答