如何通过反射浏览类型时过滤掉<> c_DisplayClass类型?

时间:2011-06-28 22:04:53

标签: c# reflection

我正在尝试创建一个单元测试,确保我的所有业务类(我称之为命令和查询类)都可以使用Windsor解决。我有以下单元测试:

    [TestMethod]
    public void Windsor_Can_Resolve_All_Command_And_Query_Classes()
    {
        // Setup
        Assembly asm = Assembly.GetAssembly(typeof(IUnitOfWork));
        IList<Type> classTypes = asm.GetTypes()
                                    .Where(x => x.Namespace.StartsWith("MyApp.DomainModel.Commands") || x.Namespace.StartsWith("MyApp.DomainModel.Queries"))
                                    .Where(x => x.IsClass)
                                    .ToList();

        IWindsorContainer container = new WindsorContainer();
        container.Kernel.ComponentModelBuilder.AddContributor(new SingletonLifestyleEqualizer());
        container.Install(FromAssembly.Containing<HomeController>());

        // Act
        foreach (Type t in classTypes)
        {
            container.Resolve(t);
        }
    }

此操作失败,但出现以下异常:

No component for supporting the service MyApp.DomainModel.Queries.Organizations.OrganizationByRegistrationTokenQuery+<>c__DisplayClass0 was found

我知道<>c__DisplayClass0类型是由于Linq被编译所致,但如何在不对我的Linq查询中的名称进行硬编码的情况下过滤掉这些类型?

3 个答案:

答案 0 :(得分:27)

我会检查每个类型的System.Runtime.CompilerServices.CompilerGeneratedAttribute

您可以使用Type.IsDefined,因此代码如下所示:

foreach (Type type in classTypes)
{
   if (type.IsDefined (typeof (CompilerGeneratedAttribute), false))
      continue;

   // use type...
}

答案 1 :(得分:14)

显然,嵌套类没有应用[CompilerGenerated]属性。

我采用这种简单的方法来处理这种情况。

bool IsCompilerGenerated(Type t) {
    if (t == null)
        return false;

    return t.IsDefined(typeof(CompilerGeneratedAttribute), false)
        || IsCompilerGenerated(t.DeclaringType);
}

表现出这种行为的类看起来像这样:

class SomeClass {
    void CreatesADisplayClass() {
        var message = "foo";

        Action outputFunc = () => Trace.Write(message);

        Action wheelsWithinWheels = () =>
        {
            var other = "bar";

            Action wheel = () => Trace.WriteLine(message + " " + other);
        };
    }
}

答案 2 :(得分:4)

检查是否存在[CompilerGenerated]属性。