得到一个的MemberInfo与反射型(Getting the type of a MemberIn

2019-08-21 05:43发布

我使用反射来加载一个项目的类结构树视图。 每一类中的成员都分配有一个自定义属性。

我没有得到一类使用属性的问题MemberInfo.GetCustomAttributes()不过,我需要工作了,如果一个类的成员是一个自定义类的方式则需要分析自身返回自定义属性。

到目前为止,我的代码是:

MemberInfo[] membersInfo = typeof(Project).GetProperties();

foreach (MemberInfo memberInfo in membersInfo)
{
    foreach (object attribute in memberInfo.GetCustomAttributes(true))
    {
        // Get the custom attribute of the class and store on the treeview
        if (attribute is ReportAttribute)
        {
            if (((ReportAttribute)attribute).FriendlyName.Length > 0)
            {
               treeItem.Items.Add(new TreeViewItem() { Header = ((ReportAttribute)attribute).FriendlyName });
            }
        }
        // PROBLEM HERE : I need to work out if the object is a specific type
        //                and then use reflection to get the structure and attributes.
    }
}

有没有得到一个实例的MemberInfo这样我就可以适当地处理它的目标类型的一种简单的方法? 我觉得我失去了一些东西很明显,但我在一分钟转圈圈。

Answer 1:

GetProperties返回数组PropertyInfo所以你应该使用它。
然后,它是简单地使用的问题PropertyType属性。

PropertyInfo[] propertyInfos = typeof(Project).GetProperties();

foreach (PropertyInfo propertyInfo in propertyInfos)
{
    // ...
    if(propertyInfo.PropertyType == typeof(MyCustomClass))
        // ...
}


Answer 2:

我认为,如果你解决这个扩展方法进行,你可以得到更好的性能:

public static Type GetUnderlyingType(this MemberInfo member)
{
    switch (member.MemberType)
    {
        case MemberTypes.Event:
            return ((EventInfo)member).EventHandlerType;
        case MemberTypes.Field:
            return ((FieldInfo)member).FieldType;
        case MemberTypes.Method:
            return ((MethodInfo)member).ReturnType;
        case MemberTypes.Property:
            return ((PropertyInfo)member).PropertyType;
        default:
            throw new ArgumentException
            (
             "Input MemberInfo must be if type EventInfo, FieldInfo, MethodInfo, or PropertyInfo"
            );
    }
}

如果任何工作MemberInfo ,不只是PropertyInfo 。 您可能避免MethodInfo从该列表中,因为它不是在说谎类型本身(但返回类型)。

你的情况:

foreach (MemberInfo memberInfo in membersInfo)
{
    foreach (object attribute in memberInfo.GetCustomAttributes(true))
    {
        if (attribute is ReportAttribute)
        {
            if (((ReportAttribute)attribute).FriendlyName.Length > 0)
            {
               treeItem.Items.Add(new TreeViewItem() { Header = ((ReportAttribute)attribute).FriendlyName });
            }
        }

        //if memberInfo.GetUnderlyingType() == specificType ? proceed...
    }
}

我不知道为什么这个一直没有默认BCL的一部分。



文章来源: Getting the type of a MemberInfo with reflection