VB.Net - 移位运算符

假设变量 A 为 60,变量 B 为 13,则 −

运算符 描述 示例
And 如果两个操作数中都存在位,则按位 AND 运算符会将一位复制到结果中。 (A AND B) 将得到 12,即 0000 1100
Or 二元或运算符复制一个位(如果任一操作数中存在该位)。 (A Or B)将得到61,即0011 1101
Xor 如果在一个操作数中设置了该位,但不是在两个操作数中都设置了该位,则二元异或运算符会复制该位。 (A Xor B)将得到 49,即 0011 0001
Not 二进制补码运算符是一元运算符,具有"翻转"位的效果。(非 A )将给出 -61,由于有符号二进制数,因此在 2 的补码形式中为 1100 0011。
<< 二进制左移运算符。 左操作数的值向左移动右操作数指定的位数。 A << 2 将给出 240,即 1111 0000
>> 二进制右移运算符。 左操作数的值向右移动右操作数指定的位数。 A >> 2 将给出 15,即 0000 1111

尝试以下示例来了解 VB.Net 中可用的所有按位运算符 −

Module BitwiseOp
   Sub Main()
      Dim a As Integer = 60       ' 60 = 0011 1100   
      Dim b As Integer = 13       ' 13 = 0000 1101
      Dim c As Integer = 0
      c = a And b       ' 12 = 0000 1100 
      Console.WriteLine("Line 1 - Value of c is {0}", c)
      c = a Or b       ' 61 = 0011 1101 
      
      Console.WriteLine("Line 2 - Value of c is {0}", c)
      c = a Xor b       ' 49 = 0011 0001 
      
      Console.WriteLine("Line 3 - Value of c is {0}", c)
      c = Not a          ' -61 = 1100 0011 
      
      Console.WriteLine("Line 4 - Value of c is {0}", c)
      c = a << 2     ' 240 = 1111 0000 
      
      Console.WriteLine("Line 5 - Value of c is {0}", c)
      c = a >> 2    ' 15 = 0000 1111 
      
      Console.WriteLine("Line 6 - Value of c is {0}", c)
      Console.ReadLine()
   End Sub
End Module

当上面的代码被编译并执行时,会产生以下结果 −

Line 1 - Value of c is 12
Line 2 - Value of c is 61
Line 3 - Value of c is 49
Line 4 - Value of c is -61
Line 5 - Value of c is 240
Line 6 - Value of c is 15

❮ vb.net_operators.html