从java中的ByteBuffer获取字节数组

这是从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()不支持字节缓冲区的位置,如果您正在处理的字节缓冲区是其他缓冲区的一部分,则可能会更糟糕。

 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(),但是这只有在应用程序支持字节的索引+长度时才起作用需要。

 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 

如果不知道给定(直接)字节缓冲区的内部状态,并且想要检索缓冲区的全部内容,可以使用:

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

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

就如此容易

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