在各种来源的帮助下,我SwapBytes
在我的二进制阅读器类中编写了一些方法,这些方法可以在 、 和 中交换字节序ushort
,uint
所有ulong
这些方法都使用原始 C# 中的按位运算,无需任何unsafe
代码。
public ushort SwapBytes(ushort x)
{
return (ushort)((ushort)((x & 0xff) << 8) | ((x >> 8) & 0xff));
}
public uint SwapBytes(uint x)
{
return ((x & 0x000000ff) << 24) +
((x & 0x0000ff00) << 8) +
((x & 0x00ff0000) >> 8) +
((x & 0xff000000) >> 24);
}
public ulong SwapBytes(ulong value)
{
ulong uvalue = value;
ulong swapped =
((0x00000000000000FF) & (uvalue >> 56)
| (0x000000000000FF00) & (uvalue >> 40)
| (0x0000000000FF0000) & (uvalue >> 24)
| (0x00000000FF000000) & (uvalue >> 8)
| (0x000000FF00000000) & (uvalue << 8)
| (0x0000FF0000000000) & (uvalue << 24)
| (0x00FF000000000000) & (uvalue << 40)
| (0xFF00000000000000) & (uvalue << 56));
return swapped;
}
我将如何创建相同的方法,但对于每种类型的签名版本,例如 short、int 和 long,只使用与上述相同的方法,以及可以对上述方法进行哪些改进?