web-dev-qa-db-ja.com

リフレクションでMemberInfoのタイプを取得する

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

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インスタンスのターゲットタイプを取得して適切に処理できるようにする簡単な方法はありますか?私は明らかな何かが欠けているように感じますが、私は分で円を描いて回っています。

24

GetPropertiesPropertyInfoの配列を返すので、それを使用する必要があります。
そして、それは単に PropertyType プロパティを使用することの問題です。

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

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

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

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の一部になっていないのでしょうか。

58
nawfal