正如标题所说,我需要在Java中将int []转换为ByteBuffer。有推荐的方法吗?
我想将ByteBuffer通过JNI传递给C ++。在这种情况下,对于任何特定的字节序转换,我需要注意什么?
编辑:对不起,我错误地写了ByteArray,但意思是ByteBuffer类型。
编辑:示例代码:
我剥掉了不必要的部分。我从c ++调用JNI上的Java函数来加载资源并将其作为bytebuffer传递回c ++。它适用于各种其他资源。现在我有一个“int []”并且想知道是否有一种优雅的方式将它转换为bytebuffer,或者我必须采用旧式的方式并将其填入for循环中。
ByteBuffer resource= null;
resource = ByteBuffer.allocateDirect((x*y+2)*4).order(ByteOrder.nativeOrder());
.
.
ByteBuffer GetResourcePNG(String text)
{
.
.
int [] pix;
map.getPixels(pix,0,x,0,0,x,y);
return resource;
}
答案 0 :(得分:6)
如果您希望能够使用ByteBuffer.allocateDirect
,则必须使用JNI's GetDirectBufferAddress
。
使用ByteBuffer.order(ByteOrder.nativeOrder())
调整ByteBuffer
实例的字节顺序以匹配当前平台。
正确配置ByteBuffer
的字节顺序后,使用ByteBuffer.asIntBuffer()
将其视为java.nio.IntBuffer
并将其填入您的数据。
完整示例:
import java.nio.ByteBuffer; import java.nio.ByteOrder; import java.nio.IntBuffer;
public class Test {
static final int bytes_per_datum = 4;
public static void main(String args[]) {
main2("Native Endian", ByteOrder.nativeOrder());
main2("Big Endian", ByteOrder.BIG_ENDIAN);
main2("Little Endian", ByteOrder.LITTLE_ENDIAN);
}
static void main2(String comment, ByteOrder endian) {
int[] data = { 1, 0xF, 0xFF, 0xFFF, 0xFFFF, 0xFFFFF, 0xFFFFFF, 0xFFFFFFF, 0xFFFFFFFF };
ByteBuffer bb = ByteBuffer.allocateDirect(data.length * bytes_per_datum);
bb.order(endian); // endian must be set before putting ints into the buffer
put_ints(bb, data);
System.out.println(comment + ": ");
print(bb);
}
static void put_ints(ByteBuffer bb, int[] data) {
IntBuffer b = bb.asIntBuffer(); // created IntBuffer starts only from the ByteBuffer's relative position
// if you plan to reuse this IntBuffer, be mindful of its position
b.put(data); // position of this IntBuffer changes by +data.length;
} // this IntBuffer goes out of scope
static void print(ByteBuffer bb) { // prints from start to limit
ByteBuffer bb_2 = bb.duplicate(); // shares backing content, but has its own capacity/limit/position/mark (equivalent to original buffer at initialization)
bb_2.rewind();
for (int x = 0, xx = bb_2.limit(); x < xx; ++x) {
System.out.print((bb_2.get() & 0xFF) + " "); // 0xFF for display, since java bytes are signed
if ((x + 1) % bytes_per_datum == 0) {
System.out.print(System.lineSeparator());
}
}
}
}
答案 1 :(得分:2)
你可以用这种方式转换成矩阵:
public static final byte[] intToByteArray(int value) {
return new byte[] {
(byte)(value >>> 24),
(byte)(value >>> 16),
(byte)(value >>> 8),
(byte)value};
}
int[] arrayOfInt = {1,2,3,4,5,6};
byte[][] matrix = new byte[arrayOfInt.length][size];
for(int i=0;i<arrayOfInt.length;i++)
byte[i] = intToByteArray(arrayOfInt[i]);
答案 2 :(得分:0)
没有将int[]
数组直接传递给使用JNI作为per the example mentioned here的C ++或C代码的原因?