27

リフレクションを使用して、プロジェクトのクラス構造でツリービューをロードしています。クラスの各メンバーには、カスタム属性が割り当てられています。

を使用してクラスの属性を取得するのに問題はありませんが、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 インスタンスのターゲット型を取得する簡単な方法はありますか? 明らかな何かが欠けているように感じますが、すぐにぐるぐる回っています。

4

2 に答える 2

71

この拡張メソッドを使用すると、パフォーマンスが向上すると思います。

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 に含まれていないのはなぜだろうか。

于 2013-04-16T17:39:54.017 に答える
13

GetPropertiesの配列を返すPropertyInfoので、それを使用する必要があります。
次に、PropertyTypeプロパティを使用するだけです。

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

foreach (PropertyInfo propertyInfo in propertyInfos)
{
    // ...
    if(propertyInfo.PropertyType == typeof(MyCustomClass))
        // ...
}
于 2013-04-10T09:14:15.647 に答える