是否可以读取两个字节作为有符号整数?
给出java中的两个字节,每个字节代表一个整数,我们可以简单地将它们转换为它们表示的int值:
byte[] byteArray = new byte[4];
byteArray[0] = 0x00;
byteArray[1] = 0x00;
byteArray[2] = .. //a byte representing an integer
byteArray[3] = .. //a byte representing an integer
int i = ((byteArray[2] & 0xff) << 8) | (byteArray[3] & 0xff);
当两位代表正整数时,它可以完美工作。但是当两个整数为负数时,它将失败。 例如,当:
byteArray[2] = 0xff; // -1
byteArray[3] = 0xf9; // -7
我得到:
i = 65529;
这是不正确的。应该是-8,即0xf8。
我尝试使用ByteBuffer:
byte[] array = new byte[4];
array[0] = 0x00;
array[1] = 0x00;
array[2] = 0xff;
array[3] = 0xf9;
ByteBuffer buffer = ByteBuffer.wrap(array);
int i = buffer.getInt();
没用。得到了相同的结果:
i = 65529
这些仅是示例。将会有更多的字节,它们将代表正整数和负整数。
是否可以读取两个字节作为有符号整数并获得正确的结果?
谢谢。
答案 0 :(得分:1)
两个字节作为有符号整数:
public class MyClass {
public static void main(String args[]) {
byte h = (byte)0xff;
byte l = (byte)0xf9;
int i = (short) ((h << 8) | l);
System.out.println(i);
}
}
(我将在您的问题下发表的评论粘贴在这里):
请改用short
,因为int
的最左位是0,因此它是一个正数。但是,如果使用short
,则会得到所需的负值,因为类型short
只有2个字节,则最左边的位将是0xFF中最左边的1,从而使其成为负数。
答案 1 :(得分:0)
对于您而言,您只需从高字节中删除按位&
:
int i = (byteArray[2] << 8) | (byteArray[3] & 0xff);
& 0xff
正在撤消您想要的符号扩展名。 You still need it on the low byte.
Two的补号扩展名是这样的:
如果设置了较小尺寸数字的最高有效位,
// v
0b1000000_00000000
用1s填充旧的最高有效位上方的新位:
// vvvvvvvv vvvvvvvv
0b11111111_11111111_1000000_00000000
只要将byte
或short
转换为int
或long
,并且& 0xFF
用于{{1 }}是撤消自动符号扩展名。
如果您无权访问字节,则可以使用算术右移来自己进行符号扩展:
byte
或强制转换为i = (i << 16) >> 16;
:
short
或各种i = (short) i;
测试,例如:
if
并且:
if ((i & 0x80_00) != 0) // Is the MSB of the high byte set?
i |= 0xFF_FF_00_00; // Fill the rest with 1s.
答案 2 :(得分:0)
kotlin 方式
val low: UByte = bytes[3].toUByte()
val high: UByte = bytes[4].toUByte()
return (high.toInt() shl 8) or low.toInt()