Gets byte array from a ByteBuffer in java

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

ByteBuffer bb =..


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

那要看你想做什么了。

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

ByteBuffer bb =..


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

相当于 字节缓冲器 javadocs。

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

请注意,bb.array ()不支持 byte-buffer 位置,如果您正在处理的 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"

这可能不是你想要做的。

如果您确实不想复制 byte-array,那么可以使用 byte-buffer 的 arrayOffset () + rest () ,但这只有在应用程序支持所需的 byte-buffer 的 index + 长度时才有效。

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

如果对给定(Direct) ByteBuffer 的内部状态一无所知,并希望检索缓冲区的整个内容,可以使用以下方法:

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

As simple as that

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