单元测试API调用

酷手

我使用带有xUnit / Moq的.NET Core创建单元测试。我想为以下API调用创建单元测试:

[HttpGet("{zip}")]
public IActionResult Get(int zip)
{
    //debugging here shows the repository has the object
    //but the result is always null
    Location result = repository[zip];
    if(result == null)
    {
        return NotFound();
    }
    else
    {
        return Ok(result);
    }
}

我的单元测试(失败了)是:

[Fact]
public void Api_Returns_Json_Object()
{
    //Arrange
    Mock<IRepository> mockRepo = new Mock<IRepository>();
    mockRepo.Setup(m => m.Locations).Returns(new Location[]
    {
        new Location
        {
            zip = 88012,
            type = "STANDARD",
            state = "NM"
        }
    });

    //Arrange
    ApiController controller = new ApiController(mockRepo.Object);

    // Act
    var response = controller.Get(88012);

    // Assert
    Assert.True(response.Equals(HttpStatusCode.OK));
}

当我调试时,存储库显示正确的Location对象,但结果始终为null,并返回NotFound()状态代码。

如果我使用PostMan测试响应,则可以正常工作。

以下是相关IRepository成员:

IEnumerable<Location> Locations { get; }
Location this[int zip] { get; }
恩科西

根据被测方法中访问的内容,在安排测试时设置了错误的成员

[Fact]
public void Api_Returns_Json_Object() {
    //Arrange
    int zip = 88012;
    var location = new Location
    {
        zip = zip,
        type = "STANDARD",
        state = "NM"
    };

    Mock<IRepository> mockRepo = new Mock<IRepository>();
    mockRepo.Setup(m => m[zip]).Returns(location);
    var controller = new ApiController(mockRepo.Object);

    // Act
    var response = controller.Get(zip);
    var okResult = response as OkObjectResult;

    // Assert
    Assert.NotNull(okResult);
    Assert.Equal(location, okResult.Value);
}

本文收集自互联网,转载请注明来源。

如有侵权,请联系 [email protected] 删除。

编辑于
0

我来说两句

0 条评论
登录 后参与评论

相关文章