Tradycyjnym sposobem jest użycie Flags
atrybutu w enum
:
[Flags]
public enum Names
{
None = 0,
Susan = 1,
Bob = 2,
Karen = 4
}
Następnie sprawdź konkretną nazwę w następujący sposób:
Names names = Names.Susan | Names.Bob;
// evaluates to true
bool susanIsIncluded = (names & Names.Susan) != Names.None;
// evaluates to false
bool karenIsIncluded = (names & Names.Karen) != Names.None;
Logiczne kombinacje bitowe mogą być trudne do zapamiętania, więc ułatwiam sobie życie dzięki FlagsHelper
klasie *:
// The casts to object in the below code are an unfortunate necessity due to
// C#'s restriction against a where T : Enum constraint. (There are ways around
// this, but they're outside the scope of this simple illustration.)
public static class FlagsHelper
{
public static bool IsSet<T>(T flags, T flag) where T : struct
{
int flagsValue = (int)(object)flags;
int flagValue = (int)(object)flag;
return (flagsValue & flagValue) != 0;
}
public static void Set<T>(ref T flags, T flag) where T : struct
{
int flagsValue = (int)(object)flags;
int flagValue = (int)(object)flag;
flags = (T)(object)(flagsValue | flagValue);
}
public static void Unset<T>(ref T flags, T flag) where T : struct
{
int flagsValue = (int)(object)flags;
int flagValue = (int)(object)flag;
flags = (T)(object)(flagsValue & (~flagValue));
}
}
Pozwoliłoby mi to przepisać powyższy kod jako:
Names names = Names.Susan | Names.Bob;
bool susanIsIncluded = FlagsHelper.IsSet(names, Names.Susan);
bool karenIsIncluded = FlagsHelper.IsSet(names, Names.Karen);
Uwaga mogłem również dodać Karen
do zestawu robiąc to:
FlagsHelper.Set(ref names, Names.Karen);
I mógłbym usunąć Susan
w podobny sposób:
FlagsHelper.Unset(ref names, Names.Susan);
* Jak Porges wskazał, równowartość tej IsSet
metody powyżej istnieje już w .NET 4.0: Enum.HasFlag
. Set
I Unset
metody nie wydają się mieć odpowiedniki, choć; więc nadal powiedziałbym, że ta klasa ma pewne zalety.
Uwaga: używanie wyliczeń to tylko konwencjonalny sposób rozwiązania tego problemu. Możesz całkowicie przetłumaczyć cały powyższy kod, aby zamiast tego używał ints i będzie działać równie dobrze.