How to prevent ReflectionTypeLoadException when calling Assembly.GetTypes()
我正在尝试使用类似以下代码扫描程序集以查找实现特定接口的类型:
1 2 3 4 5 6 7 8 9 10 11 | public List<Type> FindTypesImplementing<T>(string assemblyPath) { var matchingTypes = new List<Type>(); var asm = Assembly.LoadFrom(assemblyPath); foreach (var t in asm.GetTypes()) { if (typeof(T).IsAssignableFrom(t)) matchingTypes.Add(t); } return matchingTypes; } |
我的问题是,在某些情况下(例如,如果程序集包含引用当前不可用的程序集的类型),当调用
在我的例子中,我对引起问题的类型不感兴趣。我正在搜索的类型不需要不可用的程序集。
问题是:是否可以跳过/忽略导致异常但仍处理程序集中包含的其他类型的类型?
一个相当讨厌的方法是:
1 2 3 4 5 6 7 8 9 10 11 12 13 | Type[] types; try { types = asm.GetTypes(); } catch (ReflectionTypeLoadException e) { types = e.Types; } foreach (var t in types.Where(t => t != null)) { ... } |
但是必须这样做确实很烦人。您可以使用扩展方法在"客户机"代码中使其更好:
1 2 3 4 5 6 7 8 9 10 11 12 | public static IEnumerable<Type> GetLoadableTypes(this Assembly assembly) { // TODO: Argument validation try { return assembly.GetTypes(); } catch (ReflectionTypeLoadException e) { return e.Types.Where(t => t != null); } } |
您可能希望将
虽然在某些情况下,如果未收到ReflectionTypeLoadException,则无法执行任何操作,但上述答案有限,因为任何尝试使用异常提供的类型的操作仍会导致类型加载失败的原始问题。
为了克服这个问题,下面的代码将类型限制为位于程序集中的类型,并允许谓词进一步限制类型列表。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 | /// <summary> /// Get the types within the assembly that match the predicate. /// <para>for example, to get all types within a namespace</para> /// <para> typeof(SomeClassInAssemblyYouWant).Assembly.GetMatchingTypesInAssembly(item =>"MyNamespace".Equals(item.Namespace))</para> /// </summary> /// <param name="assembly">The assembly to search</param> /// <param name="predicate">The predicate query to match against</param> /// <returns>The collection of types within the assembly that match the predicate</returns> public static ICollection<Type> GetMatchingTypesInAssembly(this Assembly assembly, Predicate<Type> predicate) { ICollection<Type> types = new List<Type>(); try { types = assembly.GetTypes().Where(i => i != null && predicate(i) && i.Assembly == assembly).ToList(); } catch (ReflectionTypeLoadException ex) { foreach (Type theType in ex.Types) { try { if (theType != null && predicate(theType) && theType.Assembly == assembly) types.Add(theType); } // This exception list is not exhaustive, modify to suit any reasons // you find for failure to parse a single assembly catch (BadImageFormatException) { // Type not in this assembly - reference to elsewhere ignored } } } return types; } |
在我的例子中,同样的问题是由应用程序文件夹中存在不需要的程序集引起的。尝试清除bin文件夹并重新生成应用程序。
您是否考虑过组装反光膜?考虑到你想做什么,这也许就足够了。