リフレクション-プロパティの属性名と値を取得します


253

私はクラスを持っているので、それをBookという名前のプロパティでBookと呼びましょう。そのプロパティで、それに関連付けられた属性があります。

public class Book
{
    [Author("AuthorName")]
    public string Name
    {
        get; private set; 
    }
}

私のメインメソッドでは、リフレクションを使用しており、各プロパティの各属性のキーと値のペアを取得したいと考えています。したがって、この例では、属性名に「Author」、属性値に「AuthorName」が表示されることを期待しています。

質問:リフレクションを使用してプロパティの属性名と値を取得するにはどうすればよいですか?


あなたはリフレクションを通じてアクセスプロパティのそのオブジェクト上にしようとしている時に起こっていただきましたが、あなたが立ち往生どこかにあるか、反射のコードをしたいですか
神戸

回答:


308

インスタンスのtypeof(Book).GetProperties()配列を取得するために使用しPropertyInfoます。次にGetCustomAttributes()、それぞれPropertyInfoを使用して、Author属性タイプがあるかどうかを確認します。その場合、プロパティ情報からプロパティの名前を取得し、属性から属性値を取得できます。

これらの行に沿って、特定の属性タイプを持つプロパティのタイプをスキャンし、ディクショナリにデータを返します(これは、ルーチンにタイプを渡すことにより、より動的にすることができます)。

public static Dictionary<string, string> GetAuthors()
{
    Dictionary<string, string> _dict = new Dictionary<string, string>();

    PropertyInfo[] props = typeof(Book).GetProperties();
    foreach (PropertyInfo prop in props)
    {
        object[] attrs = prop.GetCustomAttributes(true);
        foreach (object attr in attrs)
        {
            AuthorAttribute authAttr = attr as AuthorAttribute;
            if (authAttr != null)
            {
                string propName = prop.Name;
                string auth = authAttr.Name;

                _dict.Add(propName, auth);
            }
        }
    }

    return _dict;
}

16
属性をキャストする必要がないことを期待していました。
developerdoug

prop.GetCustomAttributes(true)はオブジェクト[]のみを返します。キャストしたくない場合は、属性インスタンス自体にリフレクションを使用できます。
Adam Markowitz、2011

ここでAuthorAttributeとは何ですか?それは属性から派生したクラスですか?@Adam Markowitz
Sarath Avanavu

1
はい。OPは 'Author'という名前のカスタム属性を使用しています。例については、こちらを参照してください
Adam Markowitz

1
属性をキャストするパフォーマンスコストは、関連する他のすべての操作(nullチェックと文字列の割り当てを除く)と比較してまったく重要ではありません。
SilentSin 2017年

112

辞書内のプロパティのすべての属性を取得するには、これを使用します。

typeof(Book)
  .GetProperty("Name")
  .GetCustomAttributes(false) 
  .ToDictionary(a => a.GetType().Name, a => a);

変更してくださいfalsetrueあなたが同様において継承属性を含める場合。


3
これは事実上、Adamのソリューションと同じことを行いますが、はるかに簡潔です。
ダニエルムーア

31
Author属性のみが必要であり、将来のキャストをスキップしたい場合は、ToDictionaryではなく.OfType <AuthorAttribue>()を式に
追加し

2
同じプロパティに同じタイプの2つの属性がある場合、これは例外をスローしませんか?
コンスタンティン

53

特定の属性値が1つだけ必要な場合は、次のコードを使用できます。

var pInfo = typeof(Book).GetProperty("Name")
                             .GetCustomAttribute<DisplayAttribute>();
var name = pInfo.Name;

30

Generic Extension Property Attribute Helperを作成して、同様の問題を解決しました。

using System;
using System.Linq;
using System.Linq.Expressions;
using System.Reflection;

public static class AttributeHelper
{
    public static TValue GetPropertyAttributeValue<T, TOut, TAttribute, TValue>(
        Expression<Func<T, TOut>> propertyExpression, 
        Func<TAttribute, TValue> valueSelector) 
        where TAttribute : Attribute
    {
        var expression = (MemberExpression) propertyExpression.Body;
        var propertyInfo = (PropertyInfo) expression.Member;
        var attr = propertyInfo.GetCustomAttributes(typeof(TAttribute), true).FirstOrDefault() as TAttribute;
        return attr != null ? valueSelector(attr) : default(TValue);
    }
}

使用法:

var author = AttributeHelper.GetPropertyAttributeValue<Book, string, AuthorAttribute, string>(prop => prop.Name, attr => attr.Author);
// author = "AuthorName"

1
constからdescription属性を取得するにはどうすればよいFieldsですか?
アミール

1
次のエラーが発生します。エラー1775メンバー 'Namespace.FieldName'にインスタンス参照でアクセスできません。代わりに型名で修飾してください。これを行う必要がある場合は、「const」を「readonly」に変更することをお勧めします。
Mikael Engver 2015年

1
正直なところ、それよりもはるかに有益な投票が必要です。それは多くの場合に非常に素晴らしく有用な答えです。
DavidLétourneau16年

1
@DavidLétourneau、ありがとう!希望することしかできません。あなたはそれを少し手助けしたようです。
Mikael Engver

:)ジェネリックメソッドを使用して1つのクラスのすべての属性の値を取得し、各プロパティに属性の値を割り当てることは可能だと思いますか?
DavidLétourneau16年

21

あなたは使用することができますGetCustomAttributesData()GetCustomAttributes()

var attributeData = typeof(Book).GetProperty("Name").GetCustomAttributesData();
var attributes = typeof(Book).GetProperty("Name").GetCustomAttributes(false);

4
違いは何ですか?
Prime By Design

1
@PrimeByDesign前者は、適用された属性をインスタンス化する方法を見つけます。後者は実際にそれらの属性をインスタンス化します。
HappyNomad

12

「1つのパラメーターを取る属性の場合は、属性名とパラメーター値をリストする」という意味であれば、.NET 4.5ではCustomAttributeDataAPIを使用する方が簡単です。

using System.Collections.Generic;
using System.ComponentModel;
using System.Reflection;

public static class Program
{
    static void Main()
    {
        PropertyInfo prop = typeof(Foo).GetProperty("Bar");
        var vals = GetPropertyAttributes(prop);
        // has: DisplayName = "abc", Browsable = false
    }
    public static Dictionary<string, object> GetPropertyAttributes(PropertyInfo property)
    {
        Dictionary<string, object> attribs = new Dictionary<string, object>();
        // look for attributes that takes one constructor argument
        foreach (CustomAttributeData attribData in property.GetCustomAttributesData()) 
        {

            if(attribData.ConstructorArguments.Count == 1)
            {
                string typeName = attribData.Constructor.DeclaringType.Name;
                if (typeName.EndsWith("Attribute")) typeName = typeName.Substring(0, typeName.Length - 9);
                attribs[typeName] = attribData.ConstructorArguments[0].Value;
            }

        }
        return attribs;
    }
}

class Foo
{
    [DisplayName("abc")]
    [Browsable(false)]
    public string Bar { get; set; }
}

3
private static Dictionary<string, string> GetAuthors()
{
    return typeof(Book).GetProperties()
        .SelectMany(prop => prop.GetCustomAttributes())
        .OfType<AuthorAttribute>()
        .ToDictionary(attribute => attribute.Name, attribute => attribute.Name);
}

2

上記の最も支持された回答は確実に機能しますが、場合によっては少し異なるアプローチを使用することをお勧めします。

クラスに常に同じ属性を持つ複数のプロパティがあり、それらの属性を辞書に並べ替えたい場合は、次のようになります。

var dict = typeof(Book).GetProperties().ToDictionary(p => p.Name, p => p.GetCustomAttributes(typeof(AuthorName), false).Select(a => (AuthorName)a).FirstOrDefault());

これでもキャストが使用されますが、「AuthorName」タイプのカスタム属性しか取得できないため、キャストが常に機能することが保証されます。上記の属性が複数ある場合、回答はキャスト例外になります。


1
public static class PropertyInfoExtensions
{
    public static TValue GetAttributValue<TAttribute, TValue>(this PropertyInfo prop, Func<TAttribute, TValue> value) where TAttribute : Attribute
    {
        var att = prop.GetCustomAttributes(
            typeof(TAttribute), true
            ).FirstOrDefault() as TAttribute;
        if (att != null)
        {
            return value(att);
        }
        return default(TValue);
    }
}

使用法:

 //get class properties with attribute [AuthorAttribute]
        var props = typeof(Book).GetProperties().Where(prop => Attribute.IsDefined(prop, typeof(AuthorAttribute)));
            foreach (var prop in props)
            {
               string value = prop.GetAttributValue((AuthorAttribute a) => a.Name);
            }

または:

 //get class properties with attribute [AuthorAttribute]
        var props = typeof(Book).GetProperties().Where(prop => Attribute.IsDefined(prop, typeof(AuthorAttribute)));
        IList<string> values = props.Select(prop => prop.GetAttributValue((AuthorAttribute a) => a.Name)).Where(attr => attr != null).ToList();

1

MaxLengthまたはその他の属性を取得するために使用できるいくつかの静的メソッドを次に示します。

using System;
using System.Linq;
using System.Reflection;
using System.ComponentModel.DataAnnotations;
using System.Linq.Expressions;

public static class AttributeHelpers {

public static Int32 GetMaxLength<T>(Expression<Func<T,string>> propertyExpression) {
    return GetPropertyAttributeValue<T,string,MaxLengthAttribute,Int32>(propertyExpression,attr => attr.Length);
}

//Optional Extension method
public static Int32 GetMaxLength<T>(this T instance,Expression<Func<T,string>> propertyExpression) {
    return GetMaxLength<T>(propertyExpression);
}


//Required generic method to get any property attribute from any class
public static TValue GetPropertyAttributeValue<T, TOut, TAttribute, TValue>(Expression<Func<T,TOut>> propertyExpression,Func<TAttribute,TValue> valueSelector) where TAttribute : Attribute {
    var expression = (MemberExpression)propertyExpression.Body;
    var propertyInfo = (PropertyInfo)expression.Member;
    var attr = propertyInfo.GetCustomAttributes(typeof(TAttribute),true).FirstOrDefault() as TAttribute;

    if (attr==null) {
        throw new MissingMemberException(typeof(T).Name+"."+propertyInfo.Name,typeof(TAttribute).Name);
    }

    return valueSelector(attr);
}

}

静的メソッドを使用しています...

var length = AttributeHelpers.GetMaxLength<Player>(x => x.PlayerName);

または、インスタンスでオプションの拡張メソッドを使用しています...

var player = new Player();
var length = player.GetMaxLength(x => x.PlayerName);

または、他の属性(たとえば、StringLength)に完全な静的メソッドを使用する...

var length = AttributeHelpers.GetPropertyAttributeValue<Player,string,StringLengthAttribute,Int32>(prop => prop.PlayerName,attr => attr.MaximumLength);

Mikael Engverの回答に触発されました。


1

ネクロマンシング。
まだ.NET 2.0を維持する必要がある場合、またはLINQなしでそれを実行したい場合:

public static object GetAttribute(System.Reflection.MemberInfo mi, System.Type t)
{
    object[] objs = mi.GetCustomAttributes(t, true);

    if (objs == null || objs.Length < 1)
        return null;

    return objs[0];
}



public static T GetAttribute<T>(System.Reflection.MemberInfo mi)
{
    return (T)GetAttribute(mi, typeof(T));
}


public delegate TResult GetValue_t<in T, out TResult>(T arg1);

public static TValue GetAttributValue<TAttribute, TValue>(System.Reflection.MemberInfo mi, GetValue_t<TAttribute, TValue> value) where TAttribute : System.Attribute
{
    TAttribute[] objAtts = (TAttribute[])mi.GetCustomAttributes(typeof(TAttribute), true);
    TAttribute att = (objAtts == null || objAtts.Length < 1) ? default(TAttribute) : objAtts[0];
    // TAttribute att = (TAttribute)GetAttribute(mi, typeof(TAttribute));

    if (att != null)
    {
        return value(att);
    }
    return default(TValue);
}

使用例:

System.Reflection.FieldInfo fi = t.GetField("PrintBackground");
wkHtmlOptionNameAttribute att = GetAttribute<wkHtmlOptionNameAttribute>(fi);
string name = GetAttributValue<wkHtmlOptionNameAttribute, string>(fi, delegate(wkHtmlOptionNameAttribute a){ return a.Name;});

または単に

string aname = GetAttributValue<wkHtmlOptionNameAttribute, string>(fi, a => a.Name );

0
foreach (var p in model.GetType().GetProperties())
{
   var valueOfDisplay = 
       p.GetCustomAttributesData()
        .Any(a => a.AttributeType.Name == "DisplayNameAttribute") ? 
            p.GetCustomAttribute<DisplayNameAttribute>().DisplayName : 
            p.Name;
}

この例では、「DisplayName」という名前のフィールドが値とともに表示されるため、Authorの代わりにDisplayNameを使用しました。


0

列挙型から属性を取得するには、私は使用しています:

 public enum ExceptionCodes
 {
  [ExceptionCode(1000)]
  InternalError,
 }

 public static (int code, string message) Translate(ExceptionCodes code)
        {
            return code.GetType()
            .GetField(Enum.GetName(typeof(ExceptionCodes), code))
            .GetCustomAttributes(false).Where((attr) =>
            {
                return (attr is ExceptionCodeAttribute);
            }).Select(customAttr =>
            {
                var attr = (customAttr as ExceptionCodeAttribute);
                return (attr.Code, attr.FriendlyMessage);
            }).FirstOrDefault();
        }

//使用

 var _message = Translate(code);

0

このコードを配置する適切な場所を探すだけです。

次のプロパティがあるとします。

[Display(Name = "Solar Radiation (Average)", ShortName = "SolarRadiationAvg")]
public int SolarRadiationAvgSensorId { get; set; }

そして、ShortName値を取得したいとします。できるよ:

((DisplayAttribute)(typeof(SensorsModel).GetProperty(SolarRadiationAvgSensorId).GetCustomAttribute(typeof(DisplayAttribute)))).ShortName;

またはそれを一般的にするには:

internal static string GetPropertyAttributeShortName(string propertyName)
{
    return ((DisplayAttribute)(typeof(SensorsModel).GetProperty(propertyName).GetCustomAttribute(typeof(DisplayAttribute)))).ShortName;
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.