在加载的程序集中按名称搜索类型的最快方法是什么
本文关键字:类型 搜索 方法 是什么 程序 加载 程序集 集中 | 更新日期: 2023-09-27 18:32:05
我正在编写一种小型模板语言(很像 Razor),我在模板编译中必须做的一件事是根据 (1) 完全限定名称或 (2) 非限定名称 + 命名空间解析 CLR 枚举。例如:
namespace Foo.Bar {
public enum MyEnum { A, B }
}
// template:
@using Foo.Bar;
@using System;
...
@Foo.Bar.MyEnum.A // fully qualified
@MyEnum.A // unqualified, but in one of the specified namespaces
我目前的方法是扫描当前应用程序域中的所有程序集以查找枚举,如下所示:
string[] namespaces = // parsed from template
string typeName = // parsed from template
string fieldName = // parsed from template
var possibleResolutions = from type in AppDomain.CurrentDomain.GetAssemblies()
.Where(a => !a.IsDynamic)
.SelectMany(a => a.GetTypes())
where type.IsEnum
from @namespace in namespaces
let fullName = @namespace + '.' + typeName
// the replace is because nested enum types (like we have in AptOne, will have a fullname of namespace.OuterClass+InnerClass)
where type.FullName.Replace('+', '.') == fullName
let field = type.GetField(fieldName, BindingFlags.Public | BindingFlags.Static)
where field != null;
我发现这在冷启动时可能非常慢(主导所有其他模板编译时间),几乎所有时间都花在 GetTypes() 上。我想知道,有没有更快的方法来执行此类查找?
请注意,我已经缓存了这些结果,所以我对这种解决方案不感兴趣。
可以使用通用编译器基础结构在不反射的情况下扫描程序集,以创建枚举列表。从他们的网站:
CCI 元数据 API 允许应用程序有效地分析或修改 .NET 程序集、模块和调试 (PDB) 文件。CCI 元数据支持 .NET System.Reflection 和 System.Reflection.Emit API 的功能,但性能要好得多。它还提供了在任一 .NET API 中都不可用的其他功能。
然后,如果您需要实际类型,则可以使用您的列表来调用Assembly.GetType()
。
经过一番实验,我发现Assembly.GetType(string)
比Assembly.GetTypes().Where(...)
快得多。因此,我通过进行一堆有针对性的名称查找并避免查看所有类型的名称来解决我的性能问题:
var result = AppDomain.CurrentDomain.GetAssemblies()
.Where(a => !a.IsDynamic)
.SelectMany(
// possible full names is a list which tries replacing each . in the name with a +
// starting from the end
a => possibleFullNames.Select(t => new { t.@namespace, type = a.GetType(t.fullName) })
)
.Where(t => t.type != null);