GetCustomAttribute returns 在 .NET5 上运行时为空

GetCustomAttribute returns null in runtime on .NET5

我有一个代码可以加载程序集并按属性对数据进行分类。

我正在尝试获取实际的 CustomAttribute 对象。 在 net framework 上调试期间,代码 returns 一个值。 运行 .Net5 上的代码 returns null

编辑 在深入研究文档后:

.NET Framework version 2.0 provides a new load context, the reflection-only context, which can be used to examine code that cannot be loaded for execution.

https://docs.microsoft.com/en-us/dotnet/framework/reflection-and-codedom/accessing-custom-attributes

编辑#2 原因是我试图在运行时获取对象,并且如上面引用的文档中所写,无法加载属性以及任何其他运行时仅反射上下文,并且方法 returns null .

除了使用system.reflection在运行时获取实际属性对象外,还有其他解决方案吗?

字典初始化

        var ass = Assembly.LoadFile(Path.GetFullPath("MyInterface.dll"));
        var asss = Assembly.GetExecutingAssembly();
        var apiInterfaces = ass.DefinedTypes.Where(x => x.IsInterface && x.CustomAttributes != null && x.CustomAttributes.Any(z => z.AttributeType.FullName != null && z.AttributeType.FullName.Equals(typeof(ApiInterfaceDescriptorAttribute).FullName)));
        

属性:

[AttributeUsage(AttributeTargets.Interface)]
public class ApiInterfaceDescriptorAttribute : Attribute
{
    public string ApiUsageName { get; }

    public ApiInterfaceDescriptorAttribute(string apiUsageName)
    {
        ApiUsageName = apiUsageName;
    }
}

示例界面

[ApiInterfaceDescriptor("powercontrol")]
public interface IMyInterface 
{
   [ApiMethodDescriptor(ApiExposureLevel.Basic, "a-method...")]
    void SomeMethod();
}

试用获取属性

public class ApiDetector
{
    private Dictionary<Type, List<MethodInfo>> _apiDictionary = new Dictionary<Type, List<MethodInfo>>();
    public void LoadApiElements()
    {
        var apiKeyDesriptor = key.GetCustomAttribute(typeof(ApiInterfaceDescriptorAttribute)) as ApiInterfaceDescriptorAttribute;
            _apiDetector.Add(new ApiDataObjectDescriptor { Name = key.Name, ApiUsageName = apiKeyDesriptor?.ApiUsageName, Type = key });
    }

}

当我在本地 运行 这段代码时,我得到了实例:

运行 .Net5 远程机器上的代码 returns null:

欢迎任何帮助。 先谢谢了!

根本原因是对 Assembly.LoadFile 的调用。此方法始终将指定的程序集加载到它自己的 AssemblyLoadContext 中。 (有关程序集加载上下文的更多信息)。

这意味着您已将程序集加载到 LoadFile 加载上下文(一个副本)中,我从您的主代码中直接引用它,这会将它加载到默认加载上下文(第二个副本)中。虽然程序集文件完全相同,但对于运行时而言,这两个副本是不同的程序集,两者中的所有类型都将被视为不同的类型。

将程序集加载方法更改为:

Assembly.GetAssembly(typeof(MyType));

已解决问题。

感谢 Microsoft 支持团队的 vitek-karas。