原文地址为:
int 与 byte[] 的相互转换
unsafe

{
// 从int 到byte[]
fixed ( byte* pb = b );
// 从byte[] 到 int
u = *((uint*)pb);
}
IntPtr ptr
=
Marshal.AllocHGlobal(
4
);
//
要分配非托管内存

byte
[] b
=
new
byte
[
4
]
{1,2,3,4}
;
//
从byte[] 到 int
Marshal.Copy(b,
0
, ptr,
4
);
int
u
=
Marshal.ReadInt32(ptr);
//
从int 到byte[]
Marshal.WriteInt32(ptr, u);
Marshal.Copy(ptr,b,
0
,
4
);
Marshal.FreeHGlobal(ptr);
//
最后要记得释放内存
int
len
=
Marshal.Sizeof(
typeof
(MyStruct));
MyStruct o;
byte
[] arr
=
new
byte
[len];
//
{
};
IntPtr ptr
=
Marshal.AllocHGlobal(len);
try

{
// 从byte[] 到struct MyStruct
Marshal.Copy(arr, index, ptr, Math.Min(length, arr.Length - index));
o = (MyStruct)Marshal.PtrToStructure(ptr, typeof(MyStruct));


// 从struct MyStruct 到 byte[]
Marshal.StructureToPtr(o, ptr, true); // 使用时要注意fDeleteOld参数
Marshal.Copy(ptr, arr, 0, len);
}
finally

{
Marshal.FreeHGlobal(ptr);
}
return
o;
转载请注明本文地址: int 与 byte[] 的相互转换
关于
int 与
byte[] 的相互
转换,Mattias Sjogren 介绍了3种方法。请参见
《将Integer转换成Byte Array》。其实应该还有不少方法。在这里,我归纳了包括Mattias Sjogren在内的4种方法。
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种是相当方便的。例如:



























转载请注明本文地址: int 与 byte[] 的相互转换