Is this the recommended way to get the bytes from the ByteBuffer
ByteBuffer bb =..
byte[] b = new byte[bb.remaining()]
bb.get(b, 0, b.length);
Is this the recommended way to get the bytes from the ByteBuffer
ByteBuffer bb =..
byte[] b = new byte[bb.remaining()]
bb.get(b, 0, b.length);
取决于你想做什么。
如果您想要检索剩余的字节(在位置和限制之间),那么您所拥有的将起作用。你也可以这样做:
ByteBuffer bb =..
byte[] b = new byte[bb.remaining()];
bb.get(b);
这与ByteBuffer javadocs 等效。
请注意, bb.array() 不尊重字节缓冲区的位置,如果您正在处理的字节缓冲区是其他缓冲区的一部分,则可能会更糟。
IE
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()+剩余(),但这仅在应用程序支持字节缓冲区的索引+长度时才有效需要。
就如此容易
private static byte[] getByteArrayFromByteBuffer(ByteBuffer byteBuffer) {
byte[] bytesArray = new byte[byteBuffer.remaining()];
byteBuffer.get(bytesArray, 0, bytesArray.length);
return bytesArray;
}
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);
这是获取 a 的简单方法byte[]
,但使用 a 的部分目的ByteBuffer
是避免创建 a byte[]
。也许您可以byte[]
直接从ByteBuffer
.