FormsAuthentication.SetAuthCookie使用Moq进行模拟

时间:2012-07-09 13:15:07

标签: c# unit-testing asp.net-mvc-2 moq

您好我在我的ASP.Net MVC2项目上做了一些单元测试。我正在使用Moq框架。在我的LogOnController中,

[HttpPost]
public ActionResult LogOn(LogOnModel model, string returnUrl = "")
{
  FormsAuthenticationService FormsService = new FormsAuthenticationService();
  FormsService.SignIn(model.UserName, model.RememberMe);

 }

在FormAuthenticationService类中,

public class FormsAuthenticationService : IFormsAuthenticationService
    {
        public virtual void SignIn(string userName, bool createPersistentCookie)
        {
            if (String.IsNullOrEmpty(userName)) throw new ArgumentException("Value cannot     be null or empty.", "userName");
            FormsAuthentication.SetAuthCookie(userName, createPersistentCookie);
        }
        public void SignOut()
        {
            FormsAuthentication.SignOut();
        }
    }

我的问题是如何避免执行

FormsService.SignIn(model.UserName, model.RememberMe);

这一行。或者有没有办法去Moq

 FormsService.SignIn(model.UserName, model.RememberMe);

使用Moq框架,不用更改我的ASP.Net MVC2项目。

1 个答案:

答案 0 :(得分:9)

IFormsAuthenticationService作为依赖项注入您的LogOnController

private IFormsAuthenticationService formsAuthenticationService;
public LogOnController() : this(new FormsAuthenticationService())
{
}

public LogOnController(IFormsAuthenticationService formsAuthenticationService) : this(new FormsAuthenticationService())
{
    this.formsAuthenticationService = formsAuthenticationService;
}

第一个构造函数用于框架,以便在运行时使用正确的IFormsAuthenticationService实例。

现在,在您的测试中,通过传递mock,使用其他构造函数创建LogonController的实例

var mockformsAuthenticationService = new Mock<IFormsAuthenticationService>();
//Setup your mock here

更改您的操作代码以使用私有字段formsAuthenticationService,如下所示

[HttpPost]
public ActionResult LogOn(LogOnModel model, string returnUrl = "")
{
    formsAuthenticationService.SignIn(model.UserName, model.RememberMe);
}

希望这会有所帮助。我已经为你省略了模拟设置。如果您不确定如何设置,请告诉我。