关于.NET:如何循环遍历C#中的所有枚举值?

How to loop through all enum values in C#?

本问题已经有最佳答案,请猛点这里访问。

This question already has an answer here:
How do I enumerate an enum in C#? 26 answers

1
2
3
4
5
6
public enum Foos
{
    A,
    B,
    C
}

是否有方法循环遍历Foos的可能值?

基本上?

1
foreach(Foo in Foos)

是的,你能用吗?GetValue???s法:

1
var values = Enum.GetValues(typeof(Foos));

或键入的版本:

1
var values = Enum.GetValues(typeof(Foos)).Cast<Foos>();

我很久以前就为这样一个场合在我的私人图书馆中添加了一个助手函数:

1
2
3
4
5
public static class EnumUtil {
    public static IEnumerable<T> GetValues<T>() {
        return Enum.GetValues(typeof(T)).Cast<T>();
    }
}

用途:

1
var values = EnumUtil.GetValues<Foos>();


1
foreach(Foos foo in Enum.GetValues(typeof(Foos)))


1
2
3
4
foreach (EMyEnum val in Enum.GetValues(typeof(EMyEnum)))
{
   Console.WriteLine(val);
}

这里是jon skeet的功劳:http://bytes.com/groups/net-c/266447-how-loop-each-items-enum


1
2
3
4
foreach (Foos foo in Enum.GetValues(typeof(Foos)))
{
    ...
}

更新的一段时间后,我看到一条评论让我回到了我以前的答案,我想我现在会做不同的事情。这些天我会写:

1
2
3
4
5
6
7
8
9
10
private static IEnumerable<T> GetEnumValues<T>()
{
    // Can't use type constraints on value types, so have to do check like this
    if (typeof(T).BaseType != typeof(Enum))
    {
        throw new ArgumentException("T must be of type System.Enum");
    }

    return Enum.GetValues(typeof(T)).Cast<T>();
}


1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
static void Main(string[] args)
{
    foreach (int value in Enum.GetValues(typeof(DaysOfWeek)))
    {
        Console.WriteLine(((DaysOfWeek)value).ToString());
    }

    foreach (string value in Enum.GetNames(typeof(DaysOfWeek)))
    {
        Console.WriteLine(value);
    }
    Console.ReadLine();
}

public enum DaysOfWeek
{
    monday,
    tuesday,
    wednesday
}


1
 Enum.GetValues(typeof(Foos))

对。在System.Enum类中使用GetValues()方法。