1

如何对使用 Simple Membership 提供程序的控制器进行单元测试?

控制器将 MyViewModel 对象作为输入并将其插入数据库。当操作成功完成时,用户被重定向到仪表板。

控制器将 WebSecurity 作为依赖项。因此,在进行单元测试时,我在以下行中得到 HttpContext 的参数空异常

userLakshya.UserId = WebSecurity.HasUserId ?WebSecurity.CurrentUserId:-1;

如何将 HttpContext 参数传递给控制器​​?

代码清单:

    [HttpPost]
    public ActionResult Create(MyViewModel myVM)
    {
        MyModel myModel = myVM.Model;
        if (ModelState.IsValid)
        {
            userLakshya.UserId = WebSecurity.HasUserId ? WebSecurity.CurrentUserId : -1;
            db.MyModels.Add(myModel);
            db.SaveChanges();
            return RedirectToAction("Dashboard");
        }
        return View(myVM);
    }

    [TestMethod]
    public void TestLoginAndRedirectionToDashboard()
    {
        MyController cntlr = new MyController();
        var ret = ulCntlr.Create(new MyViewModel(){
            //Initialize few properties to test
        });
        /*
         * Controller throws parameter null exception for HttpContext
         * => Issue: Should I pass this? since the controller uses WebSecurity inside
         * */
        ViewResult vResult = ret as ViewResult;
        if (vResult != null)
        {
            Assert.IsInstanceOfType(vResult.Model, typeof(UserLakshya));
            UserLakshya model = vResult.Model as UserLakshya;

            if (model != null)
            {
                //Assert few properties from the return type.
            }
        }
    }  
4

1 回答 1

1

您遇到的问题是您的 Create 方法违反了依赖倒置原则,即您的方法应该“依赖于抽象。不要依赖于混凝土”。

你应该重构你的代码,而不是直接使用 WebSecurity 类,而是使用抽象,例如你可以创建一个 ISecurity 接口。然后,您的 ISecurity 的具体版本(例如 Security)可以包含对 WebSecurity 的引用,从而消除直接依赖关系。

(您已经为您的数据库依赖项(即您的 db 成员)完成了此操作,您只需为代码的安全性方面执行此操作。)

例如

public Interface ISecurity
{
 int GetUserId();
}

然后代替:

userLakshya.UserId = WebSecurity.HasUserId ? WebSecurity.CurrentUserId : -1;

你可以使用:

userLakshya.UserId = security.GetUserId();

然后要测试“创建”控制器,您可以使用模拟框架(例如Moq )模拟 ISecurity 的行为(实际上我还建议模拟“db”对象的行为)。使用 Moq 代码模拟的示例是:

var mock = new Mock<ISecurity>();
mock.Setup(security=> security.GetUserId()).Returns("ATestUser");
于 2013-09-30T21:23:05.163 回答