我正在尝试将-101
转换为字节数组,然后将字节数组转换回-101
。我的方法适用于正值但不适用于负值。你能说出我做错了什么吗? -101
方法返回byteArrayToInt
,而不是65435
。谢谢!
/**
* Converts a <code>byte</code> array to a 32-bit <code>int</code>.
*
* @param array The <code>byte</code> array to convert.
* @return The 32-bit <code>int</code> value.
*/
public static int byteArrayToInt(byte[] array) {
ValidationUtils.checkNull(array);
int value = 0;
for (int i = 0; i < array.length; i++) {
int shift = (array.length - 1 - i) * 8;
value = value | (array[i] & 0xFF) << shift;
}
return value;
}
/**
* Converts a 32-bit <code>int</code> to a <code>byte</code> array.
*
* @param value The 32-bit <code>int</code> to convert.
* @return The <code>byte</code> array.
*/
public static byte[] intToByteArray(int value, int size) {
byte[] bytes = new byte[size];
for (int index = 0; index < bytes.length; index++) {
bytes[index] = (byte) (value >>> (8 * (size - index - 1)));
}
return bytes;
}
/**
* Tests the utility methods in this class.
*
* @param args None.
*/
public static void main(String... args) {
System.out.println(byteArrayToInt(intToByteArray(32, 2)) == 32); // true
System.out.println(byteArrayToInt(intToByteArray(64, 4)) == 64); // true
System.out.println(byteArrayToInt(intToByteArray(-101, 2)) == -101); // false
System.out.println(byteArrayToInt(intToByteArray(-101, 4)) == -101); // true
}
答案 0 :(得分:3)
您需要签名扩展您的号码。如果您还没有,则应阅读two's complement表示以获取已签名的二进制数字。
作为32位整数的数字-101
为十六进制的0xFFFFFF9B
。您将其转换为2个字节的字节数组。这只留下0xFF9B
。现在,当您将其转换回来时,将其转换为32位整数,结果为0x0000FF9B
,或十进制为65435
。
您应该检查字节数组中的最高位,并根据该位进行符号扩展。一种简单的方法是,如果设置了最高位,则从value=-1
开始,如果不是,则默认为value=0
。
编辑: 检查最高位的简单方法是检查高位字节是否为负。