1

我创建了一个自定义 RoleProvider(标准 web 表单,没有 mvc),我想对其进行测试。提供者本身与 IIdentity 的自定义实现集成(带有一些附加属性)。

我现在有这个:

var user = new Mock<IPrincipal>();
var identity = new Mock<CustomIdentity>();

user.Setup(ctx => ctx.Identity).Returns(identity.Object);
identity.SetupGet(id => id.IsAuthenticated).Returns(true);
identity.SetupGet(id => id.LoginName).Returns("test");

// IsAuthenticated is the implementation of the IIdentity interface and LoginName 

但是,当我在 VS2008 中运行此测试时,我收到以下错误消息:

不可覆盖成员上的无效设置:id => id.IsAuthenticated

为什么会这样?最重要的是,我需要做什么来解决它?

格兹,克里斯。

4

2 回答 2

3

您应该模拟 IIdentity(而不是 CustomIdentity - 只有在您模拟的变量在接口中声明时才有可能)或将使用的变量声明为虚拟。


要标记为虚拟,请执行以下操作:在您的具体类 CustomIdentity 中,使用

public virtual bool isAuthenticated { get; set; }

代替

public bool isAuthenticated { get; set; }

Moq 和其他免费的模拟框架不允许您模拟具体类类型的成员和方法,除非它们被标记为虚拟。

最后,您可以自己手动创建模拟。您可以将 CustomIdentity 继承到一个测试类,它会根据需要返回值。就像是:

internal class CustomIdentityTestClass : CustomIdentity
{
    public new bool isAuthenticated
    {
        get
        {
            return true;
        }
    }

    public new string LoginName
    {
        get
        {
            return "test";
        }
    }

}

此类仅用于测试,作为您的 CustomIdentity 的模拟。

- 编辑

在评论中回答问题。

于 2009-07-27T12:36:15.627 回答
0

您是在嘲笑接口 IIdentity,还是在嘲笑您的自定义类型?

如果没有更完整的代码片段可供查看,我猜它抱怨 IsAuthenticated 在您的自定义实现中未标记为虚拟。但是,只有在模拟具体类型而不是接口时才会出现这种情况。

于 2009-07-27T12:33:21.837 回答