0

我正在尝试将 long 和 bytearray 连接到另一个 bytearray。

我试过这样:

byte[] value1= new byte[16];
byte[] value2= new byte[16];
byte[] finalvalue = new byte[value1.length + value2.length];
long ts = System.currentTimeMillis();
int val = 100;

ByteBuffer.wrap(value1).order(ByteOrder.LITTLE_ENDIAN).asLongBuffer().put(ts);
ByteBuffer.wrap(value2).order(ByteOrder.LITTLE_ENDIAN).asIntBuffer().put(val);

System.arraycopy(value1, 0, finalvalue, 0, value1.length);
System.arraycopy(value2, 0, finalvalue, value1.length,value2.length);

当我试图打印这个时,我没有得到正确的值。它像这样打印

BYTEVALUE -95-15-4410659100000000002000000000000000

它应该像这样打印

- BYTEVALUE- 1354707038625,100

谁能帮我解决我哪里出错了。

帮助将不胜感激。

更新:

使用StringBuffer打印值,如下所示:

StringBuffer sb = new StringBuffer(finalvalue.length);
for (int i = 0; i < finalvalue.length; i++) {
  sb.append(finalvalue[i]);
}
4

1 回答 1

2

您的代码没有按照您的想法执行。考虑以下独立的应用程序:

import java.nio.ByteBuffer;
import java.nio.ByteOrder;

public class ByteArrayTest {

  public static void main(String[] args) {
    byte[] value1 = new byte[16];
    byte[] value2 = new byte[16];
    byte[] finalvalue = new byte[value1.length + value2.length];
    long ts = System.currentTimeMillis();
    int val = 100;

    ByteBuffer.wrap(value1).order(ByteOrder.LITTLE_ENDIAN).asLongBuffer()
        .put(ts);
    ByteBuffer.wrap(value2).order(ByteOrder.LITTLE_ENDIAN).asIntBuffer()
        .put(val);

    System.arraycopy(value1, 0, finalvalue, 0, value1.length);
    System.arraycopy(value2, 0, finalvalue, value1.length, value2.length);

    printByteArray(finalvalue);
  }

  private static void printByteArray(final byte[] array) {
    StringBuilder sb = new StringBuilder(array.length);
    for (byte b : array) {
      sb.append(String.format("%02X", b));
    }
    System.out.println(sb.toString());
  }
}

这个的输出是:

BE26086B3B010000000000000000000064000000000000000000000000000000

将其拆分为组件,我们可以看到原因:

  • 前 16 个字节是BE26086B3B0100000000000000000000. 这是您按小端顺序排列的时间戳。如果忽略零字节,这将转换为1,354,710,394,558十进制,这是正确的。

  • 后 16 个字节是64000000000000000000000000000000,这是您的硬编码值100

零表示您未使用的字节数组中的空间。

于 2012-12-05T12:28:23.707 回答