在C / C ++中,只有一个右移运算符'>>',它只能用于正整数或无符号整数。在C / C ++中不推荐使用右移运算符来表示负数,当用于负数时,输出依赖于编译器。与C ++不同,Java支持以下两个右移操作符。
Java中的按位右移运算符
1)>>(右移)在Java中,运算符'>>'是有符号右移运算符。所有整数都是用Java签名的,可以用>>来表示负数。操作员'>>'使用符号位(最左边的位)填充移位后的尾部位置。如果数字是负数,则1用作填充物,如果数字是正数,则将0用作填充物。例如,如果数字的二进制表示形式为1 0 ... .100,则使用>>将其右移2将使其成为11 ...... .1。
请参阅以下Java程序,例如'>>'
class Test {
public static void main(String args[]) {
int x = -4;
System.out.println(x>>1);
int y = 4;
System.out.println(y>>1);
}
}
输出:
-2
2
2)>>>(无符号右移)在Java中,运算符'>>>'是无符号右移运算符。无论数字的符号如何,它始终填充0。
class Test {
public static void main(String args[]) {
// x is stored using 32 bit 2's complement form.
// Binary representation of -1 is all 1s (111..1)
int x = -1;
System.out.println(x>>>29); // The value of 'x>>>29' is 00...0111
System.out.println(x>>>30); // The value of 'x>>>30' is 00...0011
System.out.println(x>>>31); // The value of 'x>>>31' is 00...0001
}
}
输出:
7
3
1