我正在尝试对我的控制器代码进行单元测试,该代码从ClaimsPrincipal.Current获取信息。 在控制器代码I
中public class HomeController {
public ActionResult GetName() {
return Content(ClaimsPrincipal.Current.FindFirst("name").Value);
}
}
我正试图用索赔来嘲笑我的索赔主张,但我仍然没有从索赔中嘲笑。
// Arrange
IList<Claim> claimCollection = new List<Claim>
{
new Claim("name", "John Doe")
};
var identityMock = new Mock<ClaimsIdentity>();
identityMock.Setup(x => x.Claims).Returns(claimCollection);
var cp = new Mock<ClaimsPrincipal>();
cp.Setup(m => m.HasClaim(It.IsAny<string>(), It.IsAny<string>())).Returns(true);
cp.Setup(m => m.Identity).Returns(identityMock.Object);
var sut = new HomeController();
var contextMock = new Mock<HttpContextBase>();
contextMock.Setup(ctx => ctx.User).Returns(cp.Object);
var controllerContextMock = new Mock<ControllerContext>();
controllerContextMock.Setup(con => con.HttpContext).Returns(contextMock.Object);
controllerContextMock.Setup(con => con.HttpContext.User).Returns(cp.Object);
sut.ControllerContext = controllerContextMock.Object;
// Act
var viewresult = sut.GetName() as ContentResult;
// Assert
Assert.That(viewresult.Content, Is.EqualTo("John Doe"));
当我运行单元测试时,viewresult.Content为空。如果我可以添加模拟声明,任何帮助。感谢。
答案 0 :(得分:45)
您不需要模拟ClaimsPrincipal
它没有外部依赖项,您可以创建它来进行模拟:
var claims = new List<Claim>()
{
new Claim(ClaimTypes.Name, "username"),
new Claim(ClaimTypes.NameIdentifier, "userId"),
new Claim("name", "John Doe"),
};
var identity = new ClaimsIdentity(claims, "TestAuthType");
var claimsPrincipal = new ClaimsPrincipal(identity);
我不确定你在这里测试什么。当然,“John Doe”不会成为viewResult.Content
的一部分,因为它从未被设置为此。
答案 1 :(得分:26)
首先,您在测试中缺少此行:
Thread.CurrentPrincipal = cp.Object;
(然后在TearDown中清理它)。
其次,正如@trailmax所提到的,模拟主要对象是不切实际的。在你的情况下,ClaimsPrincipal.FindFirst
(根据反编译的源代码)查看其实例的私有字段,这就是模拟没有帮助的原因。
我更喜欢使用两个简单的类来允许我对基于声明的功能进行单元测试:
public class TestPrincipal : ClaimsPrincipal
{
public TestPrincipal(params Claim[] claims) : base(new TestIdentity(claims))
{
}
}
public class TestIdentity : ClaimsIdentity
{
public TestIdentity(params Claim[] claims) : base(claims)
{
}
}
然后你的测试缩小到:
[Test]
public void TestGetName()
{
// Arrange
var sut = new HomeController();
Thread.CurrentPrincipal = new TestPrincipal(new Claim("name", "John Doe"));
// Act
var viewresult = sut.GetName() as ContentResult;
// Assert
Assert.That(viewresult.Content, Is.EqualTo("John Doe"));
}
它现在通过,我刚刚验证过。