2

我需要创建一个传递给下面函数的任何枚举类型的对象列表。我不知道它将是什么类型,但它可以是我项目中许多可能的枚举中的任何一种。

public static List<object> CreateEnumList(Enum enumeration)
{ 
    List<object> returnList = new List<object>();
    for (int enumIndex = 0; enumIndex < Enum.GetNames(enumeration.GetType()).Length; enumIndex++)
        returnList.Add((enumeration.GetType())enumIndex);
    return returnList;
}

如何让类型转换正常工作?返回值必须是对象列表。谢谢

4

4 回答 4

6

这就够了

public static List<object> CreateEnumList(Enum enumeration)
{ 
    return Enum.GetValues(enumeration.GetType()).Cast<object>().ToList();
}
于 2012-07-03T13:17:19.723 回答
3

解决方案 1

通用枚举到列表转换器 (C#) 一个用于实用程序库...

它采用枚举类型并返回一个用每个枚举项填充的通用列表。

public static List<T> EnumToList<T>()
{
    Type enumType = typeof (T);

    // Can't use type constraints on value types, so have to do check like this
    if (enumType.BaseType != typeof(Enum))
        throw new ArgumentException("T must be of type System.Enum");

    Array enumValArray = Enum.GetValues(enumType);

    List<T> enumValList = new List<T>(enumValArray.Length);

    foreach (int val in enumValArray) {
        enumValList.Add((T)Enum.Parse(enumType, val.ToString()));
    }

    return enumValList;
} 

解决方案 2

这将返回IEnumerable<SomeEnum>一个枚举的所有值。

Enum.GetValues(typeof(SomeEnum)).Cast<SomeEnum>();

如果你想让它成为一个List<SomeEnum>,只需.ToList().Cast<SomeEnum>().

public static List<T> CreateEnumList<T>(Enum enumeration)  
{
    return Enum.GetValues(typeof(T)).Cast<T>().ToList();
}

在此处查看:如何将枚举转换为 C# 中的列表?

于 2012-07-03T13:18:31.657 回答
1

Enum.Parse将完全满足您的需要:

returnList.Add(Enum.Parse(enumeration.GetType(), enumIndex.ToString()));

例如,这打印b

enum myEnum { a, b, c }
static void Main(string[] args)
{
    var e = Enum.Parse(typeof(myEnum), "1");
    Console.WriteLine(e);
}
于 2012-07-03T13:18:17.163 回答
0

怎么样

public IList<object> GetBoxedEnumValues<TEnum>()
{
    Type enumType = typeOf(TEnum);

    if (!enumType.IsEnum)
    {
        throw new NotSupportedException(
            string.Format("\"{0}\" is not an Enum", enumType.Name));
    }

    return Enum.GetValues(enumType).Cast<object>().ToList();      
}
于 2012-07-03T13:29:53.807 回答