http://www.cnblogs.com/ly4cn/archive/2005/09/08/232523.html
int 与 byte[] 的相互转换
int 与 byte[] 的相互转换 沐枫网志
1. 最普通的方法
- 从byte[] 到 uint
b = new byte []
{0xfe,0x5a,0x11,0xfa} ;
u = ( uint )(b[ 0 ] | b[ 1 ] << 8 | b[ 2 ] << 16 | b[ 3 ] << 24 );
- 从int 到 byte[]
b[ 0 ] = ( byte )(u);
b[ 1 ] = ( byte )(u >> 8 );
b[ 2 ] = ( byte )(u >> 16 );
b[ 3 ] = ( byte )(u >> 24 );
2. 使用 BitConverter (强力推荐)
- 从int 到byte[]
byte [] b = BitConverter.GetBytes(
0xba5eba11 );
// {0x11,0xba,0x5e,0xba}
- 从byte[]到int
uint u = BitConverter.ToUInt32(
new byte []
{0xfe, 0x5a, 0x11,
0xfa} , 0 ); // 0xfa115afe
3. Unsafe代码 (虽然简单,但需要更改编译选项)









4. 使用Marshal类











使用第4种看起来比较麻烦,实际上,如果想把结构(struct)类型转换成byte[],则第4种是相当方便的。例如:



























public byte[] intToByte(int i) {
02 byte[] bt = new byte[4];
03 bt[0] = (byte) (0xff & i);
04 bt[1] = (byte) ((0xff00 & i) >> 8);
05 bt[2] = (byte) ((0xff0000 & i) >> 16);
06 bt[3] = (byte) ((0xff000000 & i) >> 24);
07 return bt;
08 }
09 public static int bytesToInt(byte[] bytes) {
10 int num = bytes[0] & 0xFF;
11 num |= ((bytes[1] << 8) & 0xFF00);
12 num |= ((bytes[2] << 16) & 0xFF0000);
13 num |= ((bytes[3] << 24) & 0xFF000000);
14 return num;
15 }
文章出处:飞诺网(www.firnow.com):http://dev.firnow.com/course/3_program/java/javajs/20090208/154987.html