假设我有这样一个enum:
[Flags]
enum Letters
{
A = 1,
B = 2,
C = 4,
AB = A | B,
All = A | B | C,
}
为了检查AB是否被设置,我可以这样做:
if((letter & Letters.AB) == Letters.AB)
有没有一种比下面更简单的方法来检查是否设置了一个组合标志常量的任何标志?
if((letter & Letters.A) == Letters.A || (letter & Letters.B) == Letters.B)
例如,可以将&与其他东西交换吗?
有两种方法,我可以看到,将工作检查任何位被设置。
阿普罗赫·
if (letter != 0)
{
}
只要你不介意检查所有位,包括未定义的位,这就可以工作!
阿普罗赫·
if ((letter & Letters.All) != 0)
{
}
这只检查定义的位,只要字母。All表示所有可能的位。
对于特定的位(一个或多个集),使用方法B替换字母。所有这些都是你想要检查的(见下文)。
if ((letter & Letters.AB) != 0)
{
}
在. net 4中,您可以使用Enum。HasFlag方法:
using System;
[Flags] public enum Pet {
None = 0,
Dog = 1,
Cat = 2,
Bird = 4,
Rabbit = 8,
Other = 16
}
public class Example
{
public static void Main()
{
// Define three families: one without pets, one with dog + cat and one with a dog only
Pet[] petsInFamilies = { Pet.None, Pet.Dog | Pet.Cat, Pet.Dog };
int familiesWithoutPets = 0;
int familiesWithDog = 0;
foreach (Pet petsInFamily in petsInFamilies)
{
// Count families that have no pets.
if (petsInFamily.Equals(Pet.None))
familiesWithoutPets++;
// Of families with pets, count families that have a dog.
else if (petsInFamily.HasFlag(Pet.Dog))
familiesWithDog++;
}
Console.WriteLine("{0} of {1} families in the sample have no pets.",
familiesWithoutPets, petsInFamilies.Length);
Console.WriteLine("{0} of {1} families in the sample have a dog.",
familiesWithDog, petsInFamilies.Length);
}
}
使用实例显示如下信息:
// 1 of 3 families in the sample have no pets.
// 2 of 3 families in the sample have a dog.