C#:创建一个可以将枚举作为List <string> </string>返回的泛型方法

时间:2013-05-19 21:59:33

标签: c# string list enums

如何创建一个泛型方法,该方法接收枚举类型并将其值和名称作为字符串列表返回,因此我可以循环此列表,并且每次迭代都无法打印例如,每个枚举值都考虑下一个伪:

enum MyEnum { A=5, B=6, C=8 }

List<string> createEnumStrings(AnyEnum(??))
{
  List<string> listResult;

  // ??
  // a code that will generate:
  // listResult[0] = "Value 5 Name A"
  // listResult[1] = "Value 6 Name B"
  // lsitResult[2] = "Value 8 Name C"

  return listResult;
}

再次注意,此方法可以获得任何类型的枚举

1 个答案:

答案 0 :(得分:12)

public List<string> GetValues(Type enumType)
{
    if(!typeof(Enum).IsAssignableFrom(enumType))
        throw new ArgumentException("enumType should describe enum");

    var names = Enum.GetNames(enumType).Cast<object>();
    var values = Enum.GetValues(enumType).Cast<int>();

    return names.Zip(values, (name, value) => string.Format("Value {0} Name {1}", value, name))
                .ToList();     
}

现在,如果你选择

GetValues(typeof(MyEnum)).ForEach(Console.WriteLine);

将打印:

Value 5 Name A
Value 6 Name B
Value 8 Name C

非LINQ版本:

public List<string> GetValues(Type enumType)
{   
    if(!typeof(Enum).IsAssignableFrom(enumType))
        throw new ArgumentException("enumType should describe enum");

    Array names = Enum.GetNames(enumType);
    Array values = Enum.GetValues(enumType);

    List<string> result = new List<string>(capacity:names.Length);

    for (int i = 0; i < names.Length; i++)
    {
        result.Add(string.Format("Value {0} Name {1}", 
                                (int)values.GetValue(i), names.GetValue(i)));
    }

    return result;
}