.net下简单快捷的数值高低位切换
做网络通讯中数值传输是很普遍的事情,但数值的存储在不平台和硬件上存储方式都不一样,主要有两大类分别是高位和低位存储;而.net平台下是低位存储,通过.net提供的函数读写是低位也不提供设置;对于高位存储的就有比较流行的语言平台有Java。由于存储不一样所以在读取和写入的时候就需要另一方面做转换。在.net下其实简单地通过反转数组或移位存储的方式可以简单的进行高位转换。不过程序已经写好了而在读写的时候用了低位,又不想修改读写代码可以简单地通过以下函数对数值转换一下即可.
代码(在一个老外网站找到的)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
|
class Endian
{
public static short SwapInt16( short v)
{
return ( short )(((v & 0xff) << 8) | ((v >> 8) & 0xff));
}
public static ushort SwapUInt16( ushort v)
{
return ( ushort )(((v & 0xff) << 8) | ((v >> 8) & 0xff));
}
public static int SwapInt32( int v)
{
return ( int )(((SwapInt16(( short )v) & 0xffff) << 0x10) |
(SwapInt16(( short )(v >> 0x10)) & 0xffff));
}
public static uint SwapUInt32( uint v)
{
return ( uint )(((SwapUInt16(( ushort )v) & 0xffff) << 0x10) |
(SwapUInt16(( ushort )(v >> 0x10)) & 0xffff));
}
public static long SwapInt64( long v)
{
return ( long )(((SwapInt32(( int )v) & 0xffffffffL) << 0x20) |
(SwapInt32(( int )(v >> 0x20)) & 0xffffffffL));
}
public static ulong SwapUInt64( ulong v)
{
return ( ulong )(((SwapUInt32(( uint )v) & 0xffffffffL) << 0x20) |
(SwapUInt32(( uint )(v >> 0x20)) & 0xffffffffL));
}
}
|
以上这个类是的方法是针对数据高低位相互转换的函数,即高转低和低转高都可行。
使用
在.net平台下通过BitConverter得到的数值存储是低位
1
2
|
int a = 1;
byte [] data = BitConverter.GetBytes(a);
|
以上代码得到的byte分别是[1,0,0,0]
1
2
|
a = Endian.SwapInt32(a); data = BitConverter.GetBytes(a); |
在GetBytes前通过前面简单的函数转换一下,即可得到高位存储的结果[0,0,0,1]
总结
由于在编写Beetle的时候低层没有考虑这玩意,所以对转byte[]修改范围比较大,通过这个函数相对来说就简化了很多工作的同降低了大量的测试时间。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
|
/// <summary> /// 写入一个ushort
/// </summary>
/// <param name="value">ushort</param>
public unsafe void Write( ushort value)
{
if (!LittleEndian)
value = Endian.SwapUInt16(value);
if (mCurrentBuffer.CanWrite(2))
{
fixed ( byte * ptr = &mCurrentBuffer.Data[mCurrentBuffer.Postion])
{
*( ushort *)ptr = value;
}
mCurrentBuffer.Add(2);
mLength += 2;
}
else
{
fixed ( byte * ptr = &mTempData[0])
{
*( ushort *)ptr = value;
}
Write(mTempData, 0, 2);
}
}
/// <summary>
/// 读取一个short值
/// </summary>
/// <returns>short</returns>
public unsafe short ReadShort()
{
short result;
if (mCurrentBuffer.CanRead(2) == 2)
{
fixed ( byte * ptr = &mCurrentBuffer.Data[mCurrentBuffer.Postion])
{
result = *( short *)ptr;
}
mCurrentBuffer.Read(2);
}
else
{
Read(mTempData, 0, 2);
result = BitConverter.ToInt16(mTempData, 0);
}
if (!LittleEndian)
result = Endian.SwapInt16(result);
return result;
}
|
如果你的低层代码写好了,不想动那些代码,只需要在你代码的入口处和出口入添加Endian处理即可.