這里簡(jiǎn)單記錄下兩種轉(zhuǎn)換方式:
第一種:
1跟衅、int與byte[]之間的轉(zhuǎn)換(類似的byte short,long型)
/**?
* 將int數(shù)值轉(zhuǎn)換為占四個(gè)字節(jié)的byte數(shù)組墩新,本方法適用于(低位在前罗丰,高位在后)的順序溜族。 和bytesToInt()配套使用
* @param value?
* 要轉(zhuǎn)換的int值
* @return byte數(shù)組
*/?
public static byte[] intToBytes( int value )?
{?
byte[] src = new byte[4];
src[3] = (byte) ((value>>24) & 0xFF);
src[2] = (byte) ((value>>16) & 0xFF);
src[1] = (byte) ((value>>8) & 0xFF);?
src[0] = (byte) (value & 0xFF);
return src;?
}
/**?
* 將int數(shù)值轉(zhuǎn)換為占四個(gè)字節(jié)的byte數(shù)組排作,本方法適用于(高位在前攒菠,低位在后)的順序哨免。 和bytesToInt2()配套使用
*/?
public static byte[] intToBytes2(int value)?
{?
byte[] src = new byte[4];
src[0] = (byte) ((value>>24) & 0xFF);
src[1] = (byte) ((value>>16)& 0xFF);
src[2] = (byte) ((value>>8)&0xFF);?
src[3] = (byte) (value & 0xFF);
return src;
}
byte[]轉(zhuǎn)int
/**?
* byte數(shù)組中取int數(shù)值茎活,本方法適用于(低位在前,高位在后)的順序琢唾,和和intToBytes()配套使用
*?
* @param src?
* byte數(shù)組?
* @param offset?
* 從數(shù)組的第offset位開始?
* @return int數(shù)值?
*/?
public static int bytesToInt(byte[] src, int offset) {
int value;
value = (int) ((src[offset] & 0xFF)?
| ((src[offset+1] & 0xFF)<<8)?
| ((src[offset+2] & 0xFF)<<16)?
| ((src[offset+3] & 0xFF)<<24));
return value;
}
/**?
* byte數(shù)組中取int數(shù)值载荔,本方法適用于(低位在后,高位在前)的順序采桃。和intToBytes2()配套使用
*/
public static int bytesToInt2(byte[] src, int offset) {
int value;
value = (int) ( ((src[offset] & 0xFF)<<24)
|((src[offset+1] & 0xFF)<<16)
|((src[offset+2] & 0xFF)<<8)
|(src[offset+3] & 0xFF));
return value;
}
第二種:
1懒熙、int與byte[]之間的轉(zhuǎn)換(類似的byte short,long型)
/**?
* 將int數(shù)值轉(zhuǎn)換為占四個(gè)字節(jié)的byte數(shù)組,本方法適用于(低位在前普办,高位在后)的順序工扎。?
* @param value?
* 要轉(zhuǎn)換的int值
* @return byte數(shù)組
*/?
public static byte[] intToBytes(int value)?
{?
byte[] byte_src = new byte[4];
byte_src[3] = (byte) ((value & 0xFF000000)>>24);
byte_src[2] = (byte) ((value & 0x00FF0000)>>16);
byte_src[1] = (byte) ((value & 0x0000FF00)>>8);?
byte_src[0] = (byte) ((value & 0x000000FF));
return byte_src;
}
byte[]轉(zhuǎn)int
/**?
* byte數(shù)組中取int數(shù)值,本方法適用于(低位在前衔蹲,高位在后)的順序肢娘。
*?
* @param ary?
* byte數(shù)組?
* @param offset?
* 從數(shù)組的第offset位開始?
* @return int數(shù)值?
*/?
public static int bytesToInt(byte[] ary, int offset) {
int value;
value = (int) ((ary[offset]&0xFF)?
| ((ary[offset+1]<<8) & 0xFF00)
| ((ary[offset+2]<<16)& 0xFF0000)?
| ((ary[offset+3]<<24) & 0xFF000000));
return value;
}