[java] 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 () + left ()를 사용하는 것입니다. 그러나 이것은 응용 프로그램이 바이트 버퍼의 index + length를 지원하는 경우에만 작동합니다. 필요합니다.


답변

저것과 같이 쉬운

  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);


답변

이것은 byte []를 얻는 간단한 방법이지만 ByteBuffer를 사용하는 요점의 일부는 byte []를 생성하지 않아도되는 것입니다. 아마도 ByteBuffer에서 직접 byte []에서 원하는 것을 얻을 수 있습니다.


답변