NSubstitute为所有测试返回第一个InlineData值

时间:2016-04-28 14:49:46

标签: c# .net unit-testing xunit nsubstitute

我对测试比较陌生。我们使用XUnit和NSubstitute作为我们的测试框架,我遇到的问题应该是简单的测试。我正在使用类库与外部api进行交互,我需要能够在执行操作之前确定api是否可用。 (我应该提到dll已经有效了。我们正在追溯添加测试。)

我遇到的问题是,无论InlineData用于测试,替代(client.Execute ...)只返回第一个InlineData值的值。如果第一个值是HttpStatusCode.OK,那么其他InlineData值将无法通过测试,因为替换只返回HttpStatusCode.OK。如果我用Forbidden交换OK,则HttpStatusCode.OK失败,因为替换只返回Forbidden作为StatusCode。

我可以将它们分解为单独的测试,但在此之前我更愿意理解这种行为。

测试

[Theory]
[InlineData(HttpStatusCode.OK)]
[InlineData(HttpStatusCode.Forbidden)]
[InlineData(HttpStatusCode.BadRequest)]
[InlineData(HttpStatusCode.NotFound)]
public void ConnectionCheck(HttpStatusCode code)
{
    var d2lClient = new d2lClient("userid", "userkey", "mappid", "mappkey", "serviceurl.com", "1");
    var client = Substitute.For<IRestClient>();
    var authenticator = Substitute.For<iITGValenceAuthenticator>();

    client.Execute<WhoAmIUser>(Arg.Any<IRestRequest>()).ReturnsForAnyArgs(x => new RestResponse<WhoAmIUser>()
        {
            StatusCode = code
        });


    d2lClient.GetOrCreateRestClient(client);
    d2lClient.GetOrCreateAuthenticator(authenticator);

    if (code == HttpStatusCode.OK)
    {
        Assert.True(d2lClient.ConnectionCheck(), "client.ConnectionCheck() should be true for " + code);
    }
    else
    {
        Assert.False(d2lClient.ConnectionCheck(), "client.ConnectionCheck() should be false for " + code);
    }
}

方法

public bool ConnectionCheck()
{
    if (_userId == null || _userKey == null || _mAppId == null || _mAppKey == null)
        return false;

    try
    {
        var response = GetRestResponse<WhoAmIUser>(_userId, _userKey, d2lRoute.WhoAmI());

        return response.StatusCode == HttpStatusCode.OK;
    }
    catch (Exception ex)
    {
        return false;
    }
}

public IRestResponse<T> GetRestResponse<T>(string userId, string userKey, string url, List<Parameter> parameters = null, IRestRequest request = null, IRestClient client = null, iITGValenceAuthenticator authenticator = null) where T : new()
{
    /*
       Irrelevant code
    */
    return _client.Execute<T>(request);
}

1 个答案:

答案 0 :(得分:1)

感谢David Tchepak的帮助!我拿了他的例子并对其进行了一些修改以匹配代码的结构。当我这样做并且它起作用时,很明显我的类库出了问题。事实证明,_client无意中被标记为静态。在我们想要测试它之前,这并不重要,我不得不撤出客户端创建以允许依赖注入。以前,客户端是每个api调用的本地变量。

从_client属性中删除静态修饰符后,测试按预期运行。

更改

private static IRestClient _client;
private static IRestRequest _request;

private IRestClient _client;
private IRestRequest _request;

在d2lClient类中。