如何通过描述获取枚举值

时间:2015-05-13 08:03:01

标签: c# enums

public enum States
{
        [Description("New Hampshire")]
        NewHampshire = 29,
        [Description("New York")]
        NewYork = 32,
}

这里我必须按描述获取数据 例: 我需要29岁的新罕布什尔州' 动态不使用索引位置

3 个答案:

答案 0 :(得分:0)

这是一种可以的方式:

States s;
var type = typeof(States);
foreach (var field in type.GetFields())
{
    var attribute = Attribute.GetCustomAttribute(field,
        typeof(DescriptionAttribute)) as DescriptionAttribute;
    if (attribute != null)
    {
        if (attribute.Description == "description")
        {
            s = (States)field.GetValue(null);
            break;
        }
    }
    else
    {
        if (field.Name == "description")
        {
            s = (Rule)field.GetValue(null);
            break;
        }
    }
} 

答案 1 :(得分:0)

这是一个可以与任何属性一起使用的通用方法

public static class Extensions
{
    public static TAttribute GetAttribute<TAttribute>(this Enum enumValue) 
            where TAttribute : Attribute
    {
        return enumValue.GetType()
                        .GetMember(enumValue.ToString())
                        .First()
                        .GetCustomAttribute<TAttribute>();
    }
}

这将帮助您实现正在尝试的目标......

答案 2 :(得分:0)

您可以将字符串传递给GetDataByDescription方法。我已经使用了Aydin Adn对GetAttribute方法的回答。

internal class Program
{
    private static void Main(string[] args)
    {
        Console.WriteLine(GetDataByDescription("New Hampshire"));
    }

    private static int GetDataByDescription(string s)
    {
        foreach (States state in Enum.GetValues(typeof (States)))
        {
            if (GetAttribute<DescriptionAttribute>(state).Description == s)
            {
                return (int) state;
            }
        }

        throw new ArgumentException("no such state");
    }

    private static TAttribute GetAttribute<TAttribute>(Enum enumValue)
        where TAttribute : Attribute
    {
        return enumValue.GetType()
            .GetMember(enumValue.ToString())
            .First()
            .GetCustomAttribute<TAttribute>();
    }
}