Enumの値の属性を取得する


483

それ自体enumではなく値の属性を取得できるかどうか知りたいのenumですが?たとえば、次のように仮定しますenum

using System.ComponentModel; // for DescriptionAttribute

enum FunkyAttributesEnum
{
    [Description("Name With Spaces1")]
    NameWithoutSpaces1,    
    [Description("Name With Spaces2")]
    NameWithoutSpaces2
}

私が欲しいのは、列挙型が与えられ、列挙文字列値とその説明の2タプルを生成することです。

価値は簡単でした:

Array values = System.Enum.GetValues(typeof(FunkyAttributesEnum));
foreach (int value in values)
    Tuple.Value = Enum.GetName(typeof(FunkyAttributesEnum), value);

しかし、どのように説明属性の値を取得して入力するにはどうすればよいTuple.Descですか?Attributeがenumそれ自体に属している場合の方法を考えることができますが、の値からそれを取得する方法について私は途方に暮れていますenum




2
説明に必要な名前空間はSystem.ComponentModelです
John M

System.ComponentModelを使用せず、独自の属性タイプを使用することもできます。本当に特別なことは何もありませんDescriptionAttribute
jrh

plesaeはこのリンクを参照してください:stackoverflow.com/a/58954215/5576498
AminGolmahalle

回答:


482

これはあなたが必要なことをするはずです。

var enumType = typeof(FunkyAttributesEnum);
var memberInfos = enumType.GetMember(FunkyAttributesEnum.NameWithoutSpaces1.ToString());
var enumValueMemberInfo = memberInfos.FirstOrDefault(m => m.DeclaringType == enumType);
var valueAttributes = 
      enumValueMemberInfo.GetCustomAttributes(typeof(DescriptionAttribute), false);
var description = ((DescriptionAttribute)valueAttributes[0]).Description;

10
オプションで、type.GetFields(BindingFlags.Public | BindingFlags.Static)を使用して、すべてのmemInfoを一度に取得します。
TrueWill、2011年

4
私はtypeof(FunkyAttributesEnum)に行かなければなりませんでしたが、それ以外はうまくいきました。ありがとう。
グレッグランドール

@AlexK EnumクラスにNameWithoutSpaces1プロパティがあるとは思いません。FunkyAttributesEnum.NameWithoutSpaces1はどこから来たのですか?
Don

2
@ドン、それはOPの質問からの列挙型メンバー名です。
MEMark 2014年

287

このコードは、一般的な属性を取得できる列挙型の素敵な拡張メソッドを提供します。私はそれが上記のラムダ関数とは異なると信じています。それは、使用がより簡単で、わずかです-ジェネリック型を渡すだけでよいからです。

public static class EnumHelper
{
    /// <summary>
    /// Gets an attribute on an enum field value
    /// </summary>
    /// <typeparam name="T">The type of the attribute you want to retrieve</typeparam>
    /// <param name="enumVal">The enum value</param>
    /// <returns>The attribute of type T that exists on the enum value</returns>
    /// <example><![CDATA[string desc = myEnumVariable.GetAttributeOfType<DescriptionAttribute>().Description;]]></example>
    public static T GetAttributeOfType<T>(this Enum enumVal) where T:System.Attribute
    {
        var type = enumVal.GetType();
        var memInfo = type.GetMember(enumVal.ToString());
        var attributes = memInfo[0].GetCustomAttributes(typeof(T), false);
        return (attributes.Length > 0) ? (T)attributes[0] : null;
    }
}

19
使用方法は次のようになります。string desc = myEnumVariable.GetAttributeOfType <DescriptionAttribute>()。Description;
Brad Rem

2
私はスコットよりもこれが好きです。ここでは使用法がより
簡潔な

3
属性が存在しない場合、これはIndexOutOfRangeException
エリックフィリップス

6
enumVal.ToString()は異なるロケールでは信頼できない可能性があるため、memInfoにはtype.GetMember(Enum.GetName(type、enumVal))を使用することをお勧めします。
Lin Song Yang

2
呼び出しの意味は何ですか?GetCustomAttributes()次に呼び出す代わりに最初の要素を取得しGetCustomAttribute()ますか?
tigrou 2017

81

これは、選択にラムダを使用する一般的な実装です

public static Expected GetAttributeValue<T, Expected>(this Enum enumeration, Func<T, Expected> expression)
    where T : Attribute
{
    T attribute =
      enumeration
        .GetType()
        .GetMember(enumeration.ToString())
        .Where(member => member.MemberType == MemberTypes.Field)
        .FirstOrDefault()
        .GetCustomAttributes(typeof(T), false)
        .Cast<T>()
        .SingleOrDefault();

    if (attribute == null)
        return default(Expected);

    return expression(attribute);
}

次のように呼び出します。

string description = targetLevel.GetAttributeValue<DescriptionAttribute, string>(x => x.Description);

4
これは素晴らしい。与えられた列挙値が組み合わせである(で許可されているFlagsAttribute)場合は注意が必要です。この場合、enumeration.GetType().GetMember(enumeration.ToString())[0]失敗します。
remio

あなたが書くことができる最短:value.GetType().GetField(value.ToString()).GetCustomAttributes(false).OfType<T>‌​().SingleOrDefault()、しかしあなたの明示的な方法を認める必要がある方が良い
nawfal 2013年

2
また、public static String GetDescription(this Enum enumeration){return enumeration.GetAttributeValue <DescriptionAttribute、String>(x => x.Description);も追加します。}そのように、そのちょうどtargetLevel.GetDescription();
MarkKGreenway 2014年

65

ここでいくつかの答えをマージして、もう少し拡張可能なソリューションを作成しました。将来的に他の人に役立つ場合に備えて提供します。元の投稿はこちら

using System;
using System.ComponentModel;

public static class EnumExtensions {

    // This extension method is broken out so you can use a similar pattern with 
    // other MetaData elements in the future. This is your base method for each.
    public static T GetAttribute<T>(this Enum value) where T : Attribute {
        var type = value.GetType();
        var memberInfo = type.GetMember(value.ToString());
        var attributes = memberInfo[0].GetCustomAttributes(typeof(T), false);
        return attributes.Length > 0 
          ? (T)attributes[0]
          : null;
    }

    // This method creates a specific call to the above method, requesting the
    // Description MetaData attribute.
    public static string ToName(this Enum value) {
        var attribute = value.GetAttribute<DescriptionAttribute>();
        return attribute == null ? value.ToString() : attribute.Description;
    }

}

このソリューションは、Enumに拡張メソッドのペアを作成します。最初の方法では、リフレクションを使用して、値に関連付けられている属性を取得できます。2番目の呼び出しは具体的にを取得し、その値DescriptionAttributeを返しDescriptionます。

例として、次のDescriptionAttribute属性の使用を検討してくださいSystem.ComponentModel

using System.ComponentModel;

public enum Days {
    [Description("Sunday")]
    Sun,
    [Description("Monday")]
    Mon,
    [Description("Tuesday")]
    Tue,
    [Description("Wednesday")]
    Wed,
    [Description("Thursday")]
    Thu,
    [Description("Friday")]
    Fri,
    [Description("Saturday")]
    Sat
}

上記の拡張メソッドを使用するには、次のコードを呼び出すだけです。

Console.WriteLine(Days.Mon.ToName());

または

var day = Days.Mon;
Console.WriteLine(day.ToName());

最終行は「attribute.Description」ですか?戻り属性== null?value.ToString():attribute.Description;
Jeson Martajaya 2014

2
このソリューションは気に入っていますが、バグがあります。GetAttributeメソッドは、列挙値にDescription属性があることを前提としているため、属性の長さが0の場合に例外をスローします。「return(T)attributes [0];」を置き換えます。「return(attributes.Length> 0?(T)attributes [0]:null);」
Simon Gymer 2018年

@SimonGymer提案に感謝-私はそれに応じて更新しました。:)
Troy Alford

38

AdamCrawford応答に加えて、説明を取得するためにそれをフィードする、より専門的な拡張メソッドをさらに作成しました。

public static string GetAttributeDescription(this Enum enumValue)
{
    var attribute = enumValue.GetAttributeOfType<DescriptionAttribute>();
    return attribute == null ? String.Empty : attribute.Description;
} 

したがって、説明を取得するには、元の拡張メソッドを次のように使用できます。

string desc = myEnumVariable.GetAttributeOfType<DescriptionAttribute>().Description

または、ここで拡張メソッドを単に呼び出すこともできます。

string desc = myEnumVariable.GetAttributeDescription();

うまくいけば、コードが少し読みやすくなります。


16

滑らかなワンライナー...

ここDisplayAttributeでは、NameDescriptionプロパティの両方を含むを使用しています。

public static DisplayAttribute GetDisplayAttributesFrom(this Enum enumValue, Type enumType)
{
    return enumType.GetMember(enumValue.ToString())
                   .First()
                   .GetCustomAttribute<DisplayAttribute>();
}

public enum ModesOfTransport
{
    [Display(Name = "Driving",    Description = "Driving a car")]        Land,
    [Display(Name = "Flying",     Description = "Flying on a plane")]    Air,
    [Display(Name = "Sea cruise", Description = "Cruising on a dinghy")] Sea
}

void Main()
{
    ModesOfTransport TransportMode = ModesOfTransport.Sea;
    DisplayAttribute metadata = TransportMode.GetDisplayAttributesFrom(typeof(ModesOfTransport));
    Console.WriteLine("Name: {0} \nDescription: {1}", metadata.Name, metadata.Description);
}

出力

Name: Sea cruise 
Description: Cruising on a dinghy

2
私もこれを使用しています。すべての回答の中で最もクリーンです。+1
マフィイ2017年

これはかなり便利なようです!Thnx
Irf

7

Display属性から情報を取得するコードを次に示します。これは、ジェネリックメソッドを使用して属性を取得します。属性が見つからない場合、enum値は、pascal / camelのケースがタイトルのケースに変換された文字列に変換されます(コードはここで取得されます

public static class EnumHelper
{
    // Get the Name value of the Display attribute if the   
    // enum has one, otherwise use the value converted to title case.  
    public static string GetDisplayName<TEnum>(this TEnum value)
        where TEnum : struct, IConvertible
    {
        var attr = value.GetAttributeOfType<TEnum, DisplayAttribute>();
        return attr == null ? value.ToString().ToSpacedTitleCase() : attr.Name;
    }

    // Get the ShortName value of the Display attribute if the   
    // enum has one, otherwise use the value converted to title case.  
    public static string GetDisplayShortName<TEnum>(this TEnum value)
        where TEnum : struct, IConvertible
    {
        var attr = value.GetAttributeOfType<TEnum, DisplayAttribute>();
        return attr == null ? value.ToString().ToSpacedTitleCase() : attr.ShortName;
    }

    /// <summary>
    /// Gets an attribute on an enum field value
    /// </summary>
    /// <typeparam name="TEnum">The enum type</typeparam>
    /// <typeparam name="T">The type of the attribute you want to retrieve</typeparam>
    /// <param name="value">The enum value</param>
    /// <returns>The attribute of type T that exists on the enum value</returns>
    private static T GetAttributeOfType<TEnum, T>(this TEnum value)
        where TEnum : struct, IConvertible
        where T : Attribute
    {

        return value.GetType()
                    .GetMember(value.ToString())
                    .First()
                    .GetCustomAttributes(false)
                    .OfType<T>()
                    .LastOrDefault();
    }
}

そして、これはタイトルケースに変換するための文字列の拡張メソッドです:

    /// <summary>
    /// Converts camel case or pascal case to separate words with title case
    /// </summary>
    /// <param name="s"></param>
    /// <returns></returns>
    public static string ToSpacedTitleCase(this string s)
    {
        //https://stackoverflow.com/a/155486/150342
        CultureInfo cultureInfo = Thread.CurrentThread.CurrentCulture;
        TextInfo textInfo = cultureInfo.TextInfo;
        return textInfo
           .ToTitleCase(Regex.Replace(s, 
                        "([a-z](?=[A-Z0-9])|[A-Z](?=[A-Z][a-z]))", "$1 "));
    }

4

列挙値から説明を取得するために、この拡張メソッドを実装しました。あらゆる列挙型で機能します。

public static class EnumExtension
{
    public static string ToDescription(this System.Enum value)
    {
        FieldInfo fi = value.GetType().GetField(value.ToString());
        var attributes = (DescriptionAttribute[])fi.GetCustomAttributes(typeof(DescriptionAttribute), false);
        return attributes.Length > 0 ? attributes[0].Description : value.ToString();
    }
}

同じソリューションの一般的なバージョンはすでに投稿されています。イモ、もっといい。
nawfal 2013年

4

列挙型から辞書を取得します。

public static IDictionary<string, int> ToDictionary(this Type enumType)
{
    return Enum.GetValues(enumType)
    .Cast<object>()
    .ToDictionary(v => ((Enum)v).ToEnumDescription(), k => (int)k); 
}

これを次のように呼び出します...

var dic = typeof(ActivityType).ToDictionary();

EnumDecription Extメソッド

public static string ToEnumDescription(this Enum en) //ext method
{
    Type type = en.GetType();
    MemberInfo[] memInfo = type.GetMember(en.ToString());
    if (memInfo != null && memInfo.Length > 0)
    {
        object[] attrs = memInfo[0].GetCustomAttributes(typeof(DescriptionAttribute), false);
        if (attrs != null && attrs.Length > 0)
            return ((DescriptionAttribute)attrs[0]).Description;
    }
    return en.ToString();
}

public enum ActivityType
{
    [Description("Drip Plan Email")]
    DripPlanEmail = 1,
    [Description("Modification")]
    Modification = 2,
    [Description("View")]
    View = 3,
    [Description("E-Alert Sent")]
    EAlertSent = 4,
    [Description("E-Alert View")]
    EAlertView = 5
}

3

これは、System.Reflection.TypeExtensionsを使用したAdamCrawfordの回答の.NET Coreバージョンです。

public static class EnumHelper
{
    /// <summary>
    /// Gets an attribute on an enum field value
    /// </summary>
    /// <typeparam name="T">The type of the attribute you want to retrieve</typeparam>
    /// <param name="enumVal">The enum value</param>
    /// <returns>The attribute of type T that exists on the enum value</returns>
    /// <example>string desc = myEnumVariable.GetAttributeOfType<DescriptionAttribute>().Description;</example>
    public static T GetAttributeOfType<T>(this Enum enumVal) where T : System.Attribute
    {
        var type = enumVal.GetType();
        var memInfo = type.GetMember(enumVal.ToString());
        IEnumerable<Attribute> attributes = memInfo[0].GetCustomAttributes(typeof(T), false);
        return (T)attributes?.ToArray()[0];
    }
}

.NET Core(または、現在のStandard)にGetMemberがあるとは思わないので、これがどのように機能するかわかりません。
Jeff

これはSystem.Reflection.TypeExtensionsにあります。これをリストするように回答を修正しました。
wonea 16

1
ゴッチャ、ありがとう。いくつかの拡張機能があるかもしれないと思った。
ジェフ

3

ネットフレームワークとネットコアのための私のソリューションを追加します。

これをネットフレームワークの実装に使用しました。

public static class EnumerationExtension
{
    public static string Description( this Enum value )
    {
        // get attributes  
        var field = value.GetType().GetField( value.ToString() );
        var attributes = field.GetCustomAttributes( typeof( DescriptionAttribute ), false );

        // return description
        return attributes.Any() ? ( (DescriptionAttribute)attributes.ElementAt( 0 ) ).Description : "Description Not Found";
    }
}

これはNetCoreでは機能しないため、次のように変更しました。

public static class EnumerationExtension
{
    public static string Description( this Enum value )
    {
        // get attributes  
        var field = value.GetType().GetField( value.ToString() );
        var attributes = field.GetCustomAttributes( false );

        // Description is in a hidden Attribute class called DisplayAttribute
        // Not to be confused with DisplayNameAttribute
        dynamic displayAttribute = null;

        if (attributes.Any())
        {
            displayAttribute = attributes.ElementAt( 0 );
        }

        // return description
        return displayAttribute?.Description ?? "Description Not Found";
    }
}

列挙の例:

public enum ExportTypes
{
    [Display( Name = "csv", Description = "text/csv" )]
    CSV = 0
}

追加された静的の使用例:

var myDescription = myEnum.Description();

2

新しいC#言語機能のいくつかを利用して、行数を減らすことができます。

public static TAttribute GetEnumAttribute<TAttribute>(this Enum enumVal) where TAttribute : Attribute
{
    var memberInfo = enumVal.GetType().GetMember(enumVal.ToString());
    return memberInfo[0].GetCustomAttributes(typeof(TAttribute), false).OfType<TAttribute>().FirstOrDefault();
}

public static string GetEnumDescription(this Enum enumValue) => enumValue.GetEnumAttribute<DescriptionAttribute>()?.Description ?? enumValue.ToString();

2

私はこの列挙型の属性からコンボボックスをセットアップする答えは素晴らしかったです。

次に、ボックスから選択を取得し、列挙型を正しいタイプで返すことができるように、逆をコーディングする必要がありました。

また、属性が欠落している場合を処理するようにコードを変更しました

次の人の利益のために、これが私の最終的な解決策です

public static class Program
{
   static void Main(string[] args)
    {
       // display the description attribute from the enum
       foreach (Colour type in (Colour[])Enum.GetValues(typeof(Colour)))
       {
            Console.WriteLine(EnumExtensions.ToName(type));
       }

       // Get the array from the description
       string xStr = "Yellow";
       Colour thisColour = EnumExtensions.FromName<Colour>(xStr);

       Console.ReadLine();
    }

   public enum Colour
   {
       [Description("Colour Red")]
       Red = 0,

       [Description("Colour Green")]
       Green = 1,

       [Description("Colour Blue")]
       Blue = 2,

       Yellow = 3
   }
}

public static class EnumExtensions
{

    // This extension method is broken out so you can use a similar pattern with 
    // other MetaData elements in the future. This is your base method for each.
    public static T GetAttribute<T>(this Enum value) where T : Attribute
    {
        var type = value.GetType();
        var memberInfo = type.GetMember(value.ToString());
        var attributes = memberInfo[0].GetCustomAttributes(typeof(T), false);

        // check if no attributes have been specified.
        if (((Array)attributes).Length > 0)
        {
            return (T)attributes[0];
        }
        else
        {
            return null;
        }
    }

    // This method creates a specific call to the above method, requesting the
    // Description MetaData attribute.
    public static string ToName(this Enum value)
    {
        var attribute = value.GetAttribute<DescriptionAttribute>();
        return attribute == null ? value.ToString() : attribute.Description;
    }

    /// <summary>
    /// Find the enum from the description attribute.
    /// </summary>
    /// <typeparam name="T"></typeparam>
    /// <param name="desc"></param>
    /// <returns></returns>
    public static T FromName<T>(this string desc) where T : struct
    {
        string attr;
        Boolean found = false;
        T result = (T)Enum.GetValues(typeof(T)).GetValue(0);

        foreach (object enumVal in Enum.GetValues(typeof(T)))
        {
            attr = ((Enum)enumVal).ToName();

            if (attr == desc)
            {
                result = (T)enumVal;
                found = true;
                break;
            }
        }

        if (!found)
        {
            throw new Exception();
        }

        return result;
    }
}

}


1
男私は非常に多くの愚かで説明のつかない解決策を見てきました、そしてあなたの解決策はそれを殺しました。本当にありがとうございました<3
カダジ

2

あなたのenumような値が含まれている場合、Equalsここの多くの回答でいくつかの拡張機能を使用していくつかのバグにぶつかることがあります。通常、それが想定されるため、これがありtypeof(YourEnum).GetMember(YourEnum.Value)ある一つの値だけ、戻ってくるMemberInfoあなたのをenum。これが少し安全なバージョンのAdam Crawfordの答えです。

public static class AttributeExtensions
{
    #region Methods

    public static T GetAttribute<T>(this Enum enumValue) where T : Attribute
    {
        var type = enumValue.GetType();
        var memberInfo = type.GetMember(enumValue.ToString());
        var member = memberInfo.FirstOrDefault(m => m.DeclaringType == type);
        var attribute = Attribute.GetCustomAttribute(member, typeof(T), false);
        return attribute is T ? (T)attribute : null;
    }

    #endregion
}

1

この拡張メソッドは、XmlEnumAttributeを使用して列挙値の文字列表現を取得します。XmlEnumAttributeが存在しない場合は、enum.ToString()にフォールバックします。

public static string ToStringUsingXmlEnumAttribute<T>(this T enumValue)
    where T: struct, IConvertible
{
    if (!typeof(T).IsEnum)
    {
        throw new ArgumentException("T must be an enumerated type");
    }

    string name;

    var type = typeof(T);

    var memInfo = type.GetMember(enumValue.ToString());

    if (memInfo.Length == 1)
    {
        var attributes = memInfo[0].GetCustomAttributes(typeof(System.Xml.Serialization.XmlEnumAttribute), false);

        if (attributes.Length == 1)
        {
            name = ((System.Xml.Serialization.XmlEnumAttribute)attributes[0]).Name;
        }
        else
        {
            name = enumValue.ToString();
        }
    }
    else
    {
        name = enumValue.ToString();
    }

    return name;
}

1

名前の完全なリストが必要な場合は、次のようなことができます

typeof (PharmacyConfigurationKeys).GetFields()
        .Where(x => x.GetCustomAttributes(false).Any(y => typeof(DescriptionAttribute) == y.GetType()))
        .Select(x => ((DescriptionAttribute)x.GetCustomAttributes(false)[0]).Description);

0

助けになれば、私の解決策を共有します。カスタム属性の定義:

    [AttributeUsage(AttributeTargets.Field,AllowMultiple = false)]
public class EnumDisplayName : Attribute
{
    public string Name { get; private set; }
    public EnumDisplayName(string name)
    {
        Name = name;
    }
}

これは、HtmlHelper ExtensionのHtmlHelper定義内で必要だったためです。

public static class EnumHelper
{
    public static string EnumDisplayName(this HtmlHelper helper,EPriceType priceType)
    {
        //Get every fields from enum
        var fields = priceType.GetType().GetFields();
        //Foreach field skipping 1`st fieldw which keeps currently sellected value
        for (int i = 0; i < fields.Length;i++ )
        {
            //find field with same int value
            if ((int)fields[i].GetValue(priceType) == (int)priceType)
            {
                //get attributes of found field
                var attributes = fields[i].GetCustomAttributes(false);
                if (attributes.Length > 0)
                {
                    //return name of found attribute
                    var retAttr = (EnumDisplayName)attributes[0];
                    return retAttr.Name;
                }
            }
        }
        //throw Error if not found
        throw new Exception("Błąd podczas ustalania atrybutów dla typu ceny allegro");
    }
}

それが役に立てば幸い


0
    public enum DataFilters
    {
        [Display(Name= "Equals")]
        Equals = 1,// Display Name and Enum Name are same 
        [Display(Name= "Does Not Equal")]
        DoesNotEqual = 2, // Display Name and Enum Name are different             
    }

この場合、エラーが発生します1 "等しい"

public static string GetDisplayName(this Enum enumValue)
    {
        var enumMember = enumValue.GetType().GetMember(enumValue.ToString()).First();
        return enumMember.GetCustomAttribute<DisplayAttribute>() != null ? enumMember.GetCustomAttribute<DisplayAttribute>().Name : enumMember.Name;
    }

したがって、同じ場合、displaynameとenum名が同じ場合、enumMember.GetCustomAttribute()はnullを取得するため、表示名ではなくenum名を返します。


0

または、次のようにすることもできます。

List<SelectListItem> selectListItems = new List<SelectListItem>();

    foreach (var item in typeof(PaymentTerm).GetEnumValues())
    {
        var type = item.GetType();
        var name = type.GetField(item.ToString()).GetCustomAttributesData().FirstOrDefault()?.NamedArguments.FirstOrDefault().TypedValue.Value.ToString();
        selectListItems.Add(new SelectListItem(name, type.Name));

    }

0

これは、.NET Core 3.1でカスタムヘルパーまたは拡張機能を使用せずに解決した方法です。

クラス

public enum YourEnum
{
    [Display(Name = "Suryoye means Arameans")]
    SURYOYE = 0,
    [Display(Name = "Oromoye means Syriacs")]
    OROMOYE = 1,
}

かみそり

@using Enumerations

foreach (var name in Html.GetEnumSelectList(typeof(YourEnum)))
{
    <h1>@name.Text</h1>
}

1
あなたが「それ」を解決した方法以上のものを使用して質問に答えることを検討してください-問題を認め、これがどのように「それ」を解決したと思うか説明することから始めます。今から数年後にはあなたの答えが文脈から外れる可能性があり、その場合それはほとんど役に立たなくなるでしょう。さらに追加し、いくつかのコンテキストを追加すると、回答とその可能な歴史的/アーカイブ関連性がレベルアップします
OldFart

0

パフォーマンスの問題

より良いパフォーマンスが必要な場合、これが最適な方法です。

public static class AdvancedEnumExtensions
{
    /// <summary>
    /// Gets the custom attribute <typeparamref name="T"/> for the enum constant, if such a constant is defined and has such an attribute; otherwise null.
    /// </summary>
    public static T GetCustomAttribute<T>(this Enum value) where T : Attribute
    {
        return GetField(value)?.GetCustomAttribute<T>(inherit: false);
    }

    /// <summary>
    /// Gets the FieldInfo for the enum constant, if such a constant is defined; otherwise null.
    /// </summary>
    public static FieldInfo GetField(this Enum value)
    {
        ulong u64 = ToUInt64(value);
        return value
            .GetType()
            .GetFields(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Static)
            .Where(f => ToUInt64(f.GetRawConstantValue()) == u64)
            .FirstOrDefault();
    }

    /// <summary>
    /// Checks if an enum constant is defined for this enum value
    /// </summary>
    public static bool IsDefined(this Enum value)
    {
        return GetField(value) != null;
    }

    /// <summary>
    /// Converts the enum value to UInt64
    /// </summary>
    public static ulong ToUInt64(this Enum value) => ToUInt64((object)value);

    private static ulong ToUInt64(object value)
    {
        switch (Convert.GetTypeCode(value))
        {
            case TypeCode.SByte:
            case TypeCode.Int16:
            case TypeCode.Int32:
            case TypeCode.Int64:
                return unchecked((ulong)Convert.ToInt64(value, CultureInfo.InvariantCulture));

            case TypeCode.Byte:
            case TypeCode.UInt16:
            case TypeCode.UInt32:
            case TypeCode.UInt64:
            case TypeCode.Char:
            case TypeCode.Boolean:
                return Convert.ToUInt64(value, CultureInfo.InvariantCulture);

            default: throw new InvalidOperationException("UnknownEnumType");
        }
    }
}

なぜこれはより良い性能を持っているのですか?

組み込みのメソッドはすべて、これと非常によく似たコードを使用します。ただし、それらは、気にしない他のコードの束も実行します。C#のEnumコードは、一般的に非常に恐ろしいものです。

上記のコードはLinq化および合理化されているため、必要なビットのみが含まれています。

なぜ組み込みコードが遅いのですか?

最初にEnum.ToString()-vs- Enum.GetName(..)について

常に後者を使用してください。(以下で明らかになるように、どちらでも良いです。)

ToString()は後者を内部的に使用しますが、フラグの結合、数値の出力など、他の不要な処理も実行します。列挙体の内部で定義された定数のみに関心があります。

Enum.GetNameは次にすべてのフィールドを取得し、すべての名前の文字列配列を作成し、すべてのRawConstantValuesで上記のToUInt64を使用してすべての値のUInt64配列を作成し、UInt64値に従って両方の配列を並べ替え、最後に名前配列は、UInt64配列でBinarySearchを実行して、必要な値のインデックスを見つけます。

...次にフィールドを破棄し、並べ替えられた配列はその名前を使用してフィールドを再度検索します。

一言:「うーん!」


-1

または、次のようにすることもできます。

Dictionary<FunkyAttributesEnum, string> description = new Dictionary<FunkyAttributesEnum, string>()
    {
      { FunkyAttributesEnum.NameWithoutSpaces1, "Name With Spaces1" },
      { FunkyAttributesEnum.NameWithoutSpaces2, "Name With Spaces2" },
    };

そして、次のように説明を取得します。

string s = description[FunkyAttributesEnum.NameWithoutSpaces1];

私の意見では、これは反射が必要ないため、達成したいことを行うためのより効率的な方法です。


2
確かに、しかし、反射は人々がそうであると思ったほど悪くはありません。
Bryan Rowe

それは悪いことではありません-私はいつもそれを使用しています。ただし、不必要によく使用されます。:)
Ian P

44
このソリューションでは、説明を列挙型自体から遠ざけるため、少なくとも2つの大きな問題が発生します。まず、誰かが新しいenum定数を追加する場合は、この別の場所に移動して、そこにエントリを追加することも知っている必要があります。属性は、メンテナーが何をする必要があるかを明確に示すものです。私の2番目の問題は、コードがはるかに多いことです。属性はコンパクトです。
スコビ

1
@scottを使用すると、独自の順序を指定し、表示したくない値を除外することができます。これは、ほとんど常に私が実際に望んでいるものです
Simon_Weaver

-2

のような列挙値を定義することもできます。Name_Without_Spaces説明が必要な場合Name_Without_Spaces.ToString().Replace('_', ' ')は、アンダースコアをスペースに置き換えるために使用します。


8
これは非常にエレガントなソリューションです。@Bryanが提供するソリューションの使用を検討してください
Johann
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.