2

我有一个枚举

public enum citys
{
       a=1,
       b=1,
       c=1,
       d=2,
       e=2,
       f=2,
};

我想Name根据价值返回。例如,在foreach return Enum.GetNamesValue =1

 result --> a,b,c
 foreach return Enum.GetNames that Value =2
 result --> d,e,f

谢谢你的帮助。

4

1 回答 1

5

那么你可以Enum.GetNames结合使用Enum.Parse- 这不是我想做事情,但它有效:

using System;
using System.Collections.Generic;
using System.Linq;

public enum City
{
       a=1,
       b=1,
       c=1,
       d=2,
       e=2,
       f=2,
}

class Test
{
    static void Main()
    {
        // Or GetNames((City) 2)
        foreach (var name in GetNames(City.a))
        {
            Console.WriteLine(name);
        }
    }

    static IEnumerable<string> GetNames<T>(T value) where T : struct
    {
        return Enum.GetNames(typeof(T))
                   .Where(name => Enum.Parse(typeof(T), name).Equals(value));
    }
}

或者,您可以通过反射获得字段:

static IEnumerable<string> GetNames<T>(T value) where T : struct
{
    return typeof(T).GetFields(BindingFlags.Public | BindingFlags.Static)
                    .Where(f => f.GetValue(null).Equals(value))
                    .Select(f => f.Name);
}

不过,对于您想要实现的目标来说,使用枚举是否是一个好的设计还不是很清楚——这里的真正目标是什么?也许您应该改用查找?

于 2013-06-19T07:28:29.887 回答