获取枚举标志所有位的最佳方法是什么?

时间:2010-08-11 21:37:12

标签: c# enums

我有一个带Flags属性的枚举。

我的问题是,我想获得所有选项的整数位掩码,而无需自己手动组合所有位。 我想这样做以与其他一些int字段进行比较,我希望保护以防未来的开发人员向枚举广告添加更多位选项。

另一件事是我的枚举标志中的位将全部手动分配,因此我不能简单地获取下一个值并减去1。

5 个答案:

答案 0 :(得分:21)

如果我理解你的要求,那么这对你有用:

Enum.GetValues(typeof(Enum)).Cast<int>().Sum();

然后您可以将其转发回typeof(Enum)

[Flags]
public enum Values
{
    Value_1 = 1,
    Value_2 = 2,
    Value_3 = 4,
    Value_4 = 8,
    Value_5 = 16,
    Value_6 = 32,
    Value_7 = 64,
    Value_8 = 128,
    Value_9 = 256
}

static void Main(string[] args)
{
    Values values = (Values)Enum.GetValues(typeof(Values)).Cast<int>().Sum();
}

enter image description here

答案 1 :(得分:7)

// uses a ulong to handle all possible underlying types without error
var allFlags = Enum.GetValues(typeof(YourEnumType))
                   .Cast<YourEnumType>()
                   .Aggregate((YourEnumType)0, (a, x) => a | x, a => (ulong)a);

答案 2 :(得分:6)

看一下我的Unconstrained Melody项目,该项目做了很多事情,允许在限制为枚举和委托的通用方法上构建好的功能。

在这种情况下,我认为您想要致电Flags.GetUsedBits<YourEnumType>()

如果你不介意使用额外的(非常小的)库,我想认为Unconstrained Melody在处理旗帜时会让生活更美好。如果您有任何功能要求,我很乐意看看:)

答案 3 :(得分:4)

有点粗糙但是这样的东西?

[Flags]
enum SomeFlags
{
    Flag1 = 1,
    Flag2 = 2,
    Flag3 = 4,
    Flag4 = 16,
    Flag5 = 32,
    Flag6 = 64
}

static void Main(string[] args)
{
    SomeFlags flags = 0;

    SomeFlags[] values = (SomeFlags[])Enum.GetValues(typeof(SomeFlags));
    Array.ForEach<SomeFlags>(values, delegate(SomeFlags v) { flags |= v; });

    int bitMask = Convert.ToInt32(flags);
}

答案 4 :(得分:0)

这是一种方法,使用Jon Skeet和Marc Gravell撰写的generic operators中的想法:

void Main()
{
    Console.WriteLine(CombineAllFlags<MyEnum>()); // Prints "Foo, Bar, Baz"
}

[Flags]
public enum MyEnum
{
    Foo = 1,
    Bar = 2,
    Baz = 4
}

public static TEnum CombineAllFlags<TEnum>()
{
    TEnum[] values = (TEnum[])Enum.GetValues(typeof(TEnum));
    TEnum tmp = default(TEnum);
    foreach (TEnum v in values)
    {
        tmp = EnumHelper<TEnum>.Or(tmp, v);
    }
    return tmp;
}

static class EnumHelper<T>
{
    private static Func<T, T, T> _orOperator = MakeOrOperator();

    private static Func<T, T, T> MakeOrOperator()
    {
        Type underlyingType = Enum.GetUnderlyingType(typeof(T));
        ParameterExpression xParam = Expression.Parameter(typeof(T), "x");
        ParameterExpression yParam = Expression.Parameter(typeof(T), "y");
        var expr =
            Expression.Lambda<Func<T, T, T>>(
                Expression.Convert(
                    Expression.Or(
                        Expression.Convert(xParam, underlyingType),
                        Expression.Convert(yParam, underlyingType)),
                    typeof(T)),
                xParam,
                yParam);
        return expr.Compile();
    }

    public static T Or(T x, T y)
    {
        return _orOperator(x, y);
    }   
}

此代码动态创建一个委托,它将枚举值与OR运算符

组合在一起