我正在阅读DrawItemState documentation,遇到了以下代码片段:
if ((e.State & DrawItemState.Selected) == DrawItemState.Selected )
brush = SystemBrushes.HighlightText;
文档中给出了以下解释
由于状态可以是枚举值的组合(位标记),因此您不能
使用“ ==”进行比较
但是,我仍然不明白该条件表达式与下面所示的代码段有何不同:
if (e.State == DrawItemState.Selected )
brush = SystemBrushes.HighlightText;
另外,我也不了解按位AND
&
运算符如何产生差异,以及为什么它甚至包含在条件表达式中。 最佳答案
由于枚举的基础值,您可以设置多个值(bitwise combination):
var state = DrawItemState.Disabled | DrawItemState.Grayed;
这意味着它们都将返回
false
:Console.WriteLine(state == DrawItemState.Disabled); // false
Console.WriteLine(state == DrawItemState.Grayed); // false
测试值的一种方法是使用按位“和”运算符:
Console.WriteLine((state & DrawItemState.Grayed) == DrawItemState.Grayed); // true
本质上,在我的示例中,
state
设置了两个位-“灰色”和“禁用”。通过将按位“和”运算符与“灰色”的值一起使用,结果也是“灰色”的值。0 0 0 0 0 0 0 0 1 1 0 // binary value of disabled and grayed
0 0 0 0 0 0 0 0 0 1 0 // binary value of grayed
0 0 0 0 0 0 0 0 0 1 0 // result is same value as grayed
您也可以测试多个标志:
Console.WriteLine((state & (DrawItemState.Grayed | DrawItemState.Disabled))
== (DrawItemState.Grayed | DrawItemState.Disabled)); // true
0 0 0 0 0 0 0 0 1 1 0 // binary value of disabled and grayed
0 0 0 0 0 0 0 0 1 1 0 // binary value of disabled and grayed
0 0 0 0 0 0 0 0 1 1 0 // result is same value as disabled and grayed
就个人而言,我认为使用
HasFlag
测试标志值更容易:Console.WriteLine(state.HasFlag(DrawItemState.Grayed)); // true
请注意,如果只有一个值,则
==
将起作用,但是对于支持按位组合的“标志”枚举,则永远不能保证。var state = DrawItemState.Grayed;
Console.WriteLine(state == DrawItemState.Grayed); // true