23

我正在为我的项目编写一个命令行界面。用户输入“create project foo”,找到负责“project”的控制器,然后调用该Create方法,将“foo”作为第一个参数传递。

它严重依赖于属性和反射:控制器看起来像这样:

[ControllerFor("project")]
class ProjectController
{
    [ControllerAction("create")]
    public object Create(string projectName) { /* ... */ }
}

我想在解析器的单元测试中使用 Moq,如下所示:

Mock<IProjectsController> controller = new Mock<IProjectsController>();
controller.Expect(f => f.Create("foo"));

parser.Register(controller.Object);
parser.Execute("create project foo");

controller.VerifyAll();

将属性添加到接口似乎不起作用——它们不是由派生类继承的。

我可以让 Moq 为被模拟的类添加属性吗?

4

1 回答 1

32

更新:我刚刚意识到您实际上可以使用TypeDescriptor.AddAttributes将属性添加到现有类型,这可以针对实例或 aa 类型执行:

Mock<IRepository> repositoryMock = new Mock<IRepository>();

CustomAttribute attribute = new CustomAttribute();

// option #1: to the instance
TypeDescriptor.AddAttributes(repositoryMock.Object, attribute );

// option #2: to the generated type
TypeDescriptor.AddAttributes(repositoryMock.Object.GetType(), attributes);

如果需要,AddAttribute 会返回一个 TypeDescriptorProvider,可以将其传递给TypeDescriptor.RemoveProvider以在之后删除属性。

请注意,Attribute.GetCustomAttributes不会找到在运行时以这种方式添加的属性。相反,请使用TypeDescriptor.GetAttributes

原始答案

我不相信 Moq(或任何其他模拟框架)支持自定义属性。我知道 Castle Proxy(通常用于实际创建类的框架)确实支持它,但无法通过 Moq 访问它。

最好的办法是将加载属性的方法抽象到接口(接受类型和属性类型)中,然后模拟它。

编辑:例如:

public interface IAttributeStrategy
{
    Attribute[] GetAttributes(Type owner, Type attributeType, bool inherit);
    Attribute[] GetAttributes(Type owner, bool inherit);
}

public class DefaultAttributeStrategy : IAttributeStrategy
{
    public Attribute[] GetAttributes(Type owner, Type attributeType, bool inherit)
    {
        return owner.GetCustomAttributes(attributeType, inherit);
    }

    public Attribute[] GetAttributes(Type owner, bool inherit)
    {
        return owner.GetCustomAttributes(inherit);
    }
}

需要属性的类使用 IAttributeStrategy 的实例(通过 IoC 容器,或者将其可选地传递给构造函数)。通常它将是一个 DefaultAttributeStrategy,但您现在可以模拟 IAttributeStrategy 以覆盖输出。

这听起来可能令人费解,但添加抽象层比尝试实际模拟属性要容易得多。

于 2009-02-12T09:53:02.267 回答