本文介绍了如何对 ActionFilterAttribute 进行单元测试的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
我希望在 .NET Core 2.0 API 项目中测试 ActionFilterAttribute,并想知道实现它的最佳方法.请注意,我不是要通过控制器操作来测试这一点,而是要测试 ActionFilterAttribute 本身.
I'm looking to test an ActionFilterAttribute in a .NET Core 2.0 API project and wondering the best way to go about it. Note, I'm not trying to test this through a controller action, merely test the ActionFilterAttribute itself.
我该如何进行测试:
public class ValidateModelAttribute : ActionFilterAttribute
{
public override void OnActionExecuting(ActionExecutingContext context)
{
if (!context.ModelState.IsValid)
{
context.Result = new BadRequestObjectResult(context.ModelState);
}
}
}
推荐答案
创建上下文的实例将其传递给过滤器并断言预期的行为
Create an instance of the context pass it to the filter and assert the expected behavior
例如
[TestClass]
public class ValidateModelAttributeTest {
[TestMethod]
public void Invalid_ModelState_Should_Return_BadRequestObjectResult() {
//Arrange
var modelState = new ModelStateDictionary();
modelState.AddModelError("", "error");
var httpContext = new DefaultHttpContext();
var context = new ActionExecutingContext(
new ActionContext(
httpContext: httpContext,
routeData: new RouteData(),
actionDescriptor: new ActionDescriptor(),
modelState: modelState
),
new List<IFilterMetadata>(),
new Dictionary<string, object>(),
new Mock<Controller>().Object);
var sut = new ValidateModelAttribute();
//Act
sut.OnActionExecuting(context);
//Assert
context.Result.Should().NotBeNull()
.And.BeOfType<BadRequestObjectResult>();
}
}
这篇关于如何对 ActionFilterAttribute 进行单元测试的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!