从java中的ByteBuffer获取字节数组

时间:2009-03-24 21:22:10

标签: java arrays bytearray nio bytebuffer

这是从ByteBuffer获取字节的推荐方法

ByteBuffer bb =..

byte[] b = new byte[bb.remaining()]
bb.get(b, 0, b.length);

6 个答案:

答案 0 :(得分:93)

取决于你想做什么。

如果你想要的是检索剩余的字节(在位置和限制之间),那么你所拥有的将是有效的。你也可以这样做:

ByteBuffer bb =..

byte[] b = new byte[bb.remaining()]
bb.get(b);

ByteBuffer javadocs相同。

答案 1 :(得分:18)

请注意,bb.array()不支持字节缓冲区位置,如果您正在处理的bytebuffer是某个其他缓冲区的片段,则可能更糟糕。

byte[] test = "Hello World".getBytes("Latin1");
ByteBuffer b1 = ByteBuffer.wrap(test);
byte[] hello = new byte[6];
b1.get(hello); // "Hello "
ByteBuffer b2 = b1.slice(); // position = 0, string = "World"
byte[] tooLong = b2.array(); // Will NOT be "World", but will be "Hello World".
byte[] world = new byte[5];
b2.get(world); // world = "World"

这可能不是您打算做的。

如果你真的不想复制字节数组,可以使用字节缓冲区的arrayOffset()+ remaining(),但这只适用于应用程序支持索引+字节长度的情况 - 需要它们。

答案 2 :(得分:5)

就这么简单

  private static byte[] getByteArrayFromByteBuffer(ByteBuffer byteBuffer) {
    byte[] bytesArray = new byte[byteBuffer.remaining()];
    byteBuffer.get(bytesArray, 0, bytesArray.length);
    return bytesArray;
}

答案 3 :(得分:4)

final ByteBuffer buffer;
if (buffer.hasArray()) {
    final byte[] array = buffer.array();
    final int arrayOffset = buffer.arrayOffset();
    return Arrays.copyOfRange(array, arrayOffset + buffer.position(),
                              arrayOffset + buffer.limit());
}
// do something else

答案 4 :(得分:4)

如果一个人不知道给定(Direct)ByteBuffer的内部状态,并想要检索缓冲区的整个内容,可以使用:

ByteBuffer byteBuffer = ...;
byte[] data = new byte[byteBuffer.capacity()];
((ByteBuffer) byteBuffer.duplicate().clear()).get(data);

答案 5 :(得分:1)

这是获取byte []的一种简单方法,但使用ByteBuffer的一部分是避免必须创建byte []。也许你可以从字节[]直接从ByteBuffer获得你想要的任何东西。