在 Java 中:
值 = 1122;
public static final byte[] intToByteArray(int value) {
return new byte[] {
(byte)(value >>> 24),
(byte)(value >>> 16),
(byte)(value >>> 8),
(byte)value};
}
public static int byteArrayToInt(byte[] data) {
return (int)(
(int)(0xff & data[0]) << 24 |
(int)(0xff & data[1]) << 16 |
(int)(0xff & data[2]) << 8 |
(int)(0xff & data[3]) << 0
);
}
在这里它将返回 [0, 0, 4, 98] 所以在 C 中:
char* intToByteArray(int value){
char* temp = new char[4];
temp[0] = value >> 24,
temp[1] = value >> 16,
temp[2] = value >> 8,
temp[3] = value;
return temp;
}
因为在 c 中没有字节数据类型,我们可以使用 char* 来代替,但是当我返回临时值时,我得到了 null 所以我检查了这样的值 where = b\x04 'b'= 98, x04 = 4 我不能获取为零的数据,所以在转换回来时我应该如何管理剩余值?
char* where = new char[10];
where[0] = temp[3];
where[1] = temp[2];
where[2] = temp[1];
where[3] = temp[0];
where[4] = 0;