我正在尝试将单元测试添加到我构建的 ASP.NET MVC 应用程序中。在我的单元测试中,我使用以下代码:
[TestMethod] public void IndexAction_Should_Return_View() { var controller = new MembershipController(); controller.SetFakeControllerContext("TestUser"); ... }
使用以下助手模拟控制器上下文:
public static class FakeControllerContext { public static HttpContextBase FakeHttpContext(string username) { var context = new Mock<HttpContextBase>(); context.SetupGet(ctx => ctx.Request.IsAuthenticated).Returns(!string.IsNullOrEmpty(username)); if (!string.IsNullOrEmpty(username)) context.SetupGet(ctx => ctx.User.Identity).Returns(FakeIdentity.CreateIdentity(username)); return context.Object; } public static void SetFakeControllerContext(this Controller controller, string username = null) { var httpContext = FakeHttpContext(username); var context = new ControllerContext(new RequestContext(httpContext, new RouteData()), controller); controller.ControllerContext = context; } }
该测试类继承自具有以下内容的基类:
[TestInitialize] public void Init() { ... }
在这个方法中,它调用一个库(我无法控制),它试图运行以下代码:
HttpContext.Current.User.Identity.IsAuthenticated
现在您可能会看到问题所在。我已经针对控制器设置了假的 HttpContext,但没有在这个基本的 Init 方法中。单元测试/模拟对我来说很新,所以我想确保我做对了。我模拟 HttpContext 以便在我的控制器和在我的 Init 方法中调用的任何库之间共享它的正确方法是什么。
HttpContext.Current返回 的实例System.Web.HttpContext,该实例不扩展System.Web.HttpContextBase。HttpContextBase后来添加以解决HttpContext难以模拟的问题。这两个类基本上HttpContextWrapper是不相关的(用作它们之间的适配器)。
HttpContext.Current
System.Web.HttpContext
System.Web.HttpContextBase
HttpContextBase
HttpContext
HttpContextWrapper
幸运的是,HttpContext它本身是可伪造的,足以让您替换IPrincipal(User) 和IIdentity.
IPrincipal
IIdentity
以下代码按预期运行,即使在控制台应用程序中也是如此:
HttpContext.Current = new HttpContext( new HttpRequest("", "http://tempuri.org", ""), new HttpResponse(new StringWriter()) ); // User is logged in HttpContext.Current.User = new GenericPrincipal( new GenericIdentity("username"), new string[0] ); // User is logged out HttpContext.Current.User = new GenericPrincipal( new GenericIdentity(String.Empty), new string[0] );