我开始使用字节和十六进制来尝试更轻松地存储一些数据。这是我目前正在做的事情:
byte[] data = new byte[] {0x20, 0x40};
long cosmetics = 0;
for(byte d : data) {
cosmetics = cosmetics | d;
System.out.println(d + ": " + cosmetics);
}
String hex = Long.toHexString(cosmetics);
System.out.println("hex: 0x" + hex);
System.out.println("from hex: " + Long.decode("0x"+hex));
byte[] bytes = longToBytes(cosmetics);
String s = "";
for(byte b : bytes)
s += b+", ";
System.out.println("bytes: " + s);
hex: 0x60
和from hex = 96
都可以正常工作,就像应该(afaik)一样。
但是,当我尝试使用longToBytes(cosmetics)
将96转换回字节数组时:
public static byte[] longToBytes(long x) {
ByteBuffer buffer = ByteBuffer.allocate(Long.BYTES);
buffer.putLong(x);
return buffer.array();
}
它不返回我最初使用的数组,它给出:0, 0, 0, 0, 0, 0, 0, 96
但是我想要给我的是我最初使用的数组:
byte[] data = new byte[] {0x20, 0x40};
答案 0 :(得分:0)
long有8个字节,然后将字节0x20 | 0x40 = 0x60 = 96放入数组中。
Java默认情况下按字节顺序排列 bigendian 字节,因此最低有效字节96排在最后。
反之亦然:
public static byte[] longToBytes(long x) {
return ByteBuffer.allocate(Long.BYTES)
.order(ByteOrder.LITTLE_ENDIAN)
.putLong(x)
.array();
}
应该给
96, 0, 0, 0, 0, 0, 0, 0
经过提炼的问题
无法确定96源自0x20 | 0x40,但我假设您要使用单独的位掩码。
byte[] longToBytes(long x) {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
int mask = 1;
for (int i = 0; i < 8; ++i) {
if ((mask & x) != 0) {
baos.write(0xFF & (int)mask);
}
mask <<= 1;
}
return baos.toArray();
}
为获得合理的结果,该参数可以/应该为字节或0-256受限的int。