25

我有一个字节数组,其中数组中的数据实际上是短数据。字节以小端序排列:

3, 1, -48, 0, -15, 0, 36, 1

当转换为短值时会导致:

259、208、241、292

Java中是否有一种简单的方法可以将字节值转换为相应的短值?我可以编写一个循环,只获取每个高字节并将其移动 8 位,然后将其与低字节进行 OR,但这会影响性能。

4

2 回答 2

57

使用java.nio.ByteBuffer你可以指定你想要的字节顺序:order()

ByteBuffer 具有将数据提取为 byte、char、getShort()getInt()、long、double 的方法...

这是一个如何使用它的示例:

ByteBuffer bb = ByteBuffer.wrap(byteArray);
bb.order( ByteOrder.LITTLE_ENDIAN);
while( bb.hasRemaining()) {
   short v = bb.getShort();
   /* Do something with v... */
}
于 2013-02-12T07:22:02.203 回答
2
 /* Try this: */
public static short byteArrayToShortLE(final byte[] b, final int offset) 
{
        short value = 0;
        for (int i = 0; i < 2; i++) 
        {
            value |= (b[i + offset] & 0x000000FF) << (i * 8);
        }            

        return value;
 }

 /* if you prefer... */
 public static int byteArrayToIntLE(final byte[] b, final int offset) 
 {
        int value = 0;

        for (int i = 0; i < 4; i++) 
        {
           value |= ((int)b[i + offset] & 0x000000FF) << (i * 8);
        }

       return value;
 }
于 2017-09-18T18:41:44.357 回答