我有const
个值:
private const uint val1 = 0xa1b3a3e4;
private const uint val2 = 0x12b3a4e4;
private const uint val3 = 0xaff3a3e4;
private const UInt64 val4 = 0x736e6f6f70000000;
我想打开我的文件并检查上面的值是否存在于前x个字节:
using (BinaryReader binaryReader = new BinaryReader(File.Open(file, FileMode.Open)))
{
UInt64 val = binaryReader.ReadUInt64();
}
修改
我读了前8个字节:
UInt64 val = binaryReader.ReadUInt64();
我需要验证此val
是否等于val4
。
这是我使用十六进制编辑器的文件的第一个字节:
因为你可以看到这是相同的值,但仍然使用调试器,我可以看到:
val4 = 8317708086210985984
val = 288230376185266176
为什么我有这种差异?
答案 0 :(得分:4)
正如其他人所建议的那样,问题是BinaryReader.Read*()
以小端格式读取数据,即最重要的字节 last 而不是第一个。这与x86级系统的内存架构一致,其中最重要的字节存储在具有最高地址的字节中。
也就是说,当你宣布
时uint64 val4 = 0x736e6f6f70000000;
然后val4
在内存中表示为:
00 00 00 70 6f 6f 6e 73
当你打电话时:
UInt64 val = binaryReader.ReadUInt64();
val
以
73 6e 6f 6f 70 00 00 00
虽然BinaryReader
不提供读取大端数据的方法,但一个简单的解决方案是使用扩展方法来提供此功能:
static class BigEndianBinaryReaderExtensions
{
private static T ReadBigEndian<T>(BinaryReader r, Func<byte[], int, T> f)
{
int s = Marshal.SizeOf<T>(); // include System.Runtime.Interop;
byte[] b = new byte[s];
if (r.Read(b, 0, s) != s)
throw new EndOfStreamException();
if (BitConverter.IsLittleEndian) // for correct behavior on big-endian architectures
Array.Reverse(b);
return f(b, 0);
}
public static int ReadInt32BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToInt32);
}
public static uint ReadUInt32BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToUInt32);
}
public static long ReadInt64BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToInt64);
}
public static ulong ReadUInt64BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToUInt64);
}
public static short ReadInt16BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToInt16);
}
public static ushort ReadUInt16BigEndian(this BinaryReader reader)
{
return ReadBigEndian(reader, BitConverter.ToUInt16);
}
}
然后您只需致电BinaryReader.ReadUInt64BigEndian()
即可获得预期结果,如下面的驱动程序所示:
static void Main() {
using (MemoryStream ms = new MemoryStream())
{
ms.Write(new byte[] { 0x73, 0x6e, 0x6f, 0x6f, 0x70, 0, 0, 0 }, 0, sizeof(long));
ms.Seek(0, SeekOrigin.Begin);
using (BinaryReader br = new BinaryReader(ms))
{
ulong n = br.ReadUInt64BigEndian();
Console.WriteLine(n == 0x736e6f6f70000000); // prints True
}
}
}
答案 1 :(得分:1)
长0x0011223344556677
的内存中表示形式是许多计算机上的字节77, 66, 55, 44, 33, 22, 11, 00
。也就是说,字节按从最小部分到最大部分的顺序存储。如果你想做这个比较,必须在这里扭转一些东西;要么反转你正在读入的字节数组,要么反转常量中字节的顺序。