我有一个8字节的数组,我想将其转换为相应的数值。
e.g。
byte[] by = new byte[8]; // the byte array is stored in 'by'
// CONVERSION OPERATION
// return the numeric value
我想要一个执行上述转换操作的方法。
答案 0 :(得分:109)
此处,源byte[]
数组的长度为8,这是与long
值对应的大小。
首先,byte[]
数组包含在ByteBuffer
中,然后调用ByteBuffer.getLong
方法获取long
值:
ByteBuffer bb = ByteBuffer.wrap(new byte[] {0, 0, 0, 0, 0, 0, 0, 4});
long l = bb.getLong();
System.out.println(l);
结果
4
我要感谢dfa在评论中指出了ByteBuffer.getLong
方法。
虽然它可能不适用于这种情况,Buffer
s的美妙之处在于查看具有多个值的数组。
例如,如果我们有一个8字节的数组,并且我们希望将其视为两个int
值,我们可以将byte[]
数组包装在ByteBuffer
中,作为IntBuffer
并按IntBuffer.get
获取值:
ByteBuffer bb = ByteBuffer.wrap(new byte[] {0, 0, 0, 1, 0, 0, 0, 4});
IntBuffer ib = bb.asIntBuffer();
int i0 = ib.get(0);
int i1 = ib.get(1);
System.out.println(i0);
System.out.println(i1);
结果:
1
4
答案 1 :(得分:99)
假设第一个字节是最低有效字节:
long value = 0;
for (int i = 0; i < by.length; i++)
{
value += ((long) by[i] & 0xffL) << (8 * i);
}
第一个字节是最重要的,那么它有点不同:
long value = 0;
for (int i = 0; i < by.length; i++)
{
value = (value << 8) + (by[i] & 0xff);
}
如果您的字节数超过8个,则将长号替换为BigInteger。
感谢Aaron Digulla纠正我的错误。
答案 2 :(得分:16)
如果这是一个8字节的数字值,您可以尝试:
BigInteger n = new BigInteger(byteArray);
如果这是一个UTF-8字符缓冲区,那么你可以尝试:
BigInteger n = new BigInteger(new String(byteArray, "UTF-8"));
答案 3 :(得分:13)
简单地说,您可以使用或引用google提供的 guava lib,它提供了在long和byte数组之间进行转换的实用方法。我的客户代码:
long content = 212000607777l;
byte[] numberByte = Longs.toByteArray(content);
logger.info(Longs.fromByteArray(numberByte));
答案 4 :(得分:8)
您还可以将BigInteger用于可变长度字节。您可以将其转换为Long,Integer或Short,以满足您的需求。
new BigInteger(bytes).intValue();
或表示极性:
new BigInteger(1, bytes).intValue();
答案 5 :(得分:3)
为数据的所有基本类型完成java转换器代码 http://www.daniweb.com/code/snippet216874.html
答案 6 :(得分:1)
数组中的每个单元格都被视为unsigned int:
private int unsignedIntFromByteArray(byte[] bytes) {
int res = 0;
if (bytes == null)
return res;
for (int i=0;i<bytes.length;i++){
res = res | ((bytes[i] & 0xff) << i*8);
}
return res;
}
答案 7 :(得分:0)
public static long byteArrayToLong(byte[] bytes) {
return ((long) (bytes[0]) << 56)
+ (((long) bytes[1] & 0xFF) << 48)
+ ((long) (bytes[2] & 0xFF) << 40)
+ ((long) (bytes[3] & 0xFF) << 32)
+ ((long) (bytes[4] & 0xFF) << 24)
+ ((bytes[5] & 0xFF) << 16)
+ ((bytes[6] & 0xFF) << 8)
+ (bytes[7] & 0xFF);
}
将字节数组(long为8个字节)转换为long
答案 8 :(得分:0)
您可以尝试使用此答案中的代码:https://stackoverflow.com/a/68393576/7918717
它将字节解析为任意长度的有符号数。几个例子:
bytesToSignedNumber(false, 0xF1, 0x01, 0x04)
返回 15794436
(3 个字节为 int)
bytesToSignedNumber(false, 0xF1, 0x01, 0x01, 0x04)
返回 -251592444
(4 个字节为 int)
bytesToSignedNumber(false, 0xF1, 0x01, 0x01, 0x01, 0x01, 0x01, 0x01, 0x01, 0x04)
返回 -1080581331768770303
(9 个字节中的 8 个为 long)