2

是否可以获得应用了自定义属性的所有引用程序集(在单元测试项目中)。我在成功运行的应用程序中使用以下代码:

var assemblies = System.Web.Compilation.BuildManager.GetReferencedAssemblies().Cast<Assembly>().Where(a => a.GetCustomAttributes(false).OfType<AssemblyCategoryAttribute>().Any()).ToList();

但是 System.Web.Compilation.BuildManager 在我的测试项目中不起作用,所以我尝试了:

Assembly.GetExecutingAssembly().GetReferencedAssemblies().Select(a => Assembly.ReflectionOnlyLoad(a.FullName).Where(a => a.GetCustomAttributes(false).OfType<AssemblyCategoryAttribute>().Any()).ToList();

但这引发了错误:

反射通过 ReflectionOnlyGetType 加载的类型的自定义属性是非法的(请参阅 Assembly.ReflectionOnly)——请改用 CustomAttributeData。

如果有人能告诉我如何做到这一点,我将不胜感激。谢谢

4

2 回答 2

5

由于您正在获取当前正在执行的程序集的引用程序集,因此没有理由进行仅反射加载。 ReflectionOnlyLoad用于当您想要查看程序集但不实际执行它们时。由于当前正在执行的程序集正在引用这些程序集,因此很可能已经或将要加载到执行上下文中。

试着做:

Assembly
    .GetExecutingAssembly()
    .GetReferencedAssemblies()
    .Select(a => Assembly.Load(a.FullName))
    .Where(a => a.
            .GetCustomAttributes(false)
            .OfType<AssemblyCategoryAttribute>()
            .Any())
    .ToList();

或者更好:

Assembly
    .GetExecutingAssembly()
    .GetReferencedAssemblies()
    .Select(Assembly.Load)
    .Where(a => a.IsDefined(typeof(AssemblyCategoryAttribute), false))
    .ToList();
于 2012-10-04T20:12:10.717 回答
2

查看CustomAttributeData 类

提供对加载到仅反射上下文中的程序集、模块、类型、成员和参数的自定义属性数据的访问。

那里有一个示例 c# 代码

public static void Main()
{
    Assembly asm = Assembly.ReflectionOnlyLoad("Source");
    Type t = asm.GetType("Test");
    MethodInfo m = t.GetMethod("TestMethod");
    ParameterInfo[] p = m.GetParameters();

    Console.WriteLine("\r\nAttributes for assembly: '{0}'", asm);
    ShowAttributeData(CustomAttributeData.GetCustomAttributes(asm));
    Console.WriteLine("\r\nAttributes for type: '{0}'", t);
    ShowAttributeData(CustomAttributeData.GetCustomAttributes(t));
    Console.WriteLine("\r\nAttributes for member: '{0}'", m);
    ShowAttributeData(CustomAttributeData.GetCustomAttributes(m));
    Console.WriteLine("\r\nAttributes for parameter: '{0}'", p);
    ShowAttributeData(CustomAttributeData.GetCustomAttributes(p[0]));
}

在你的情况下是这样的(我自己没有尝试代码):

var assemblies = Assembly.GetExecutingAssembly()
    .GetReferencedAssemblies()
    .Select(a => Assembly.ReflectionOnlyLoad(a.FullName))
    .Select(a => new 
      { Asm = a, 
        CustomAttributeDataList = CustomAttributeData.GetCustomAttributes(a)
      })
    .Where(x => x.CustomAttributeDataList.Any(y => y.AttributeType ==           
         type(AssemblyCategoryAttribute)))
    .Select(x => x.Asm)
    .ToList();
于 2012-10-04T19:48:44.277 回答