Java中大小端的處理
阿新 • • 發佈:2019-02-11
大小端的轉換
參考程式碼,如下所示
//將整數按照小端存放,低位元組出訪低位
public static byte[] toLH(int n) {
byte[] b = new byte[4];
b[0] = (byte) (n & 0xff);
b[1] = (byte) (n >> 8 & 0xff);
b[2] = (byte) (n >> 16 & 0xff);
b[3] = (byte) (n >> 24 & 0xff);
return b;
}
/**
* 將int轉為大端,低位元組儲存高位
*
* @param n
* int
* @return byte[]
*/
public static byte[] toHH(int n) {
byte[] b = new byte[4];
b[3] = (byte) (n & 0xff);
b[2] = (byte) (n >> 8 & 0xff);
b[1] = (byte) (n >> 16 & 0xff);
b[0] = (byte) (n >> 24 & 0xff);
return b;
}
java提供的類
@SuppressWarnings ("unused")
public static byte[] appendInsertMsg(byte[] msg, BSONObject append) {
List<byte[]> tmp = Helper.splitByteArray(msg, 4);
byte[] msgLength = tmp.get(0);
byte[] remaining = tmp.get(1);
byte[] insertor = bsonObjectToByteArray(append);
int length = Helper.byteToInt(msgLength);
int messageLength = length + Helper.roundToMultipleXLength(insertor.length, 4);
ByteBuffer buf = ByteBuffer.allocate(messageLength);
if (EmeralddbConstants.SYSTEM_ENDIAN == EmeralddbConstants.LITTLE_ENDIAN) {
buf.order(ByteOrder.LITTLE_ENDIAN);
} else {
buf.order(ByteOrder.BIG_ENDIAN);
}
buf.putInt(messageLength);
buf.put(remaining);
buf.put(Helper.roundToMultipleX(insertor, 4));
return buf.array();
}
生產中的一段程式碼,可以參考。
// 建立12個位元組的位元組緩衝區
public static void main(String args[]){
ByteBuffer bb = ByteBuffer.wrap(new byte[12]);
// 存入字串
bb.asCharBuffer().put("abdcef");
System.out.println(Arrays.toString(bb.array()));
// 反轉緩衝區
bb.rewind();
// 設定位元組儲存次序
bb.order(ByteOrder.BIG_ENDIAN);
bb.asCharBuffer().put("abcdef");
System.out.println(Arrays.toString(bb.array()));
// 反轉緩衝區
bb.rewind();
// 設定位元組儲存次序
bb.order(ByteOrder.LITTLE_ENDIAN);
bb.asCharBuffer().put("abcdef");
System.out.println(Arrays.toString(bb.array()));
}
執行結果:
[0, 97, 0, 98, 0, 100, 0, 99, 0, 101, 0, 102]
[0, 97, 0, 98, 0, 99, 0, 100, 0, 101, 0, 102]
[97, 0, 98, 0, 99, 0, 100, 0, 101, 0, 102, 0]
對比前兩次和第三次的執行結果,第三次明顯是小端模式,前兩次都是大端模式,java預設是大端(之所以有0,是因為java中char佔用兩個位元組)。