que enumeraciones enum c# .net enums language-features

enumeraciones - ¿Cómo recorrer todos los valores de enumeración en C#?



enumeraciones c# (8)

Esta pregunta ya tiene una respuesta aquí:
¿Cómo enumero una enumeración en C #? 26 respuestas

public enum Foos { A, B, C }

¿Hay alguna manera de recorrer los posibles valores de Foos ?

¿Básicamente?

foreach(Foo in Foos)


Sí, puedes usar el método GetValue‍‍‍s :

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

O la versión mecanografiada:

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

Hace mucho tiempo agregué una función de ayuda a mi biblioteca privada para tal ocasión:

public static class EnumUtil { public static IEnumerable<T> GetValues<T>() { return Enum.GetValues(typeof(T)).Cast<T>(); } }

Uso:

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



ACTUALIZADO
Algún tiempo después, veo un comentario que me devuelve a mi antigua respuesta, y creo que lo haría diferente ahora. Estos días yo escribiría:

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>(); }


Enum.GetValues(typeof(Foos))



foreach (Foos foo in Enum.GetValues(typeof(Foos))) { ... }


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


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 }