就像在 C 中一样,我们可以使用结构指针来读取或写入结构化的二进制数据,如文件头等,在 C# 中是否有类似的方法可以做到这一点?
3 回答
在我看来,使用BinaryReader
and BinaryWriter
over aMemoryStream
往往是最好的方法。
解析二进制数据:
byte[] buf = f // some data from somewhere
using (var ms = new MemoryStream(buf, false)) { // Read-only
var br = new BinaryReader(ms);
UInt32 len = br.ReadUInt32();
// ...
}
生成二进制数据:
byte[] result;
using (var ms = new MemoryStream()) { // Expandable
var bw = new BinaryWriter(ms);
UInt32 len = 0x1337;
bw.Write(len);
// ...
result = ms.GetBuffer(); // Get the underlying byte array you've created.
}
它们允许您读取和写入大多数文件头等所需的所有原始类型,例如(U)Int16, 32, 64
, Single
, , 和,Double
以及这些类型的数组。有对 s 的直接支持,但仅当 byte
char
string
该字符串以长度为前缀,一次编码为一个整数七位。
如果您以这种方式编写字符串,这对我来说似乎才有用BinaryWriter
。但是,这很容易,假设您的字符串以 DWord 长度为前缀,然后是许多 ASCII 字符:
int len = (int)br.ReadUInt32();
string s = Encoding.ASCII.GetString(br.ReadBytes(len));
请注意,我没有将BinaryReader
andBinaryWriter
对象包裹在一个using()
块中。这是因为,尽管它们是IDisposable
,但它们Dispose()
所做的只是调用Dispose()
底层流(在这些示例中,是MemoryStream
)。
由于所有BinaryReader
/BinaryWriter
都是围绕底层流的一组Read()
/Write()
包装器,所以我不明白它们为什么会这样IDisposable
。当你尝试做正确的事情并调用Dispose()
你所有的IDisposable
s 时,这只是令人困惑,突然你的流被处理掉了。
要从二进制文件中读取任意结构的数据 (a struct
),您首先需要:
public static T ToStructure<T>(byte[] data)
{
unsafe
{
fixed (byte* p = &data[0])
{
return (T)Marshal.PtrToStructure(new IntPtr(p), typeof(T));
}
};
}
然后您可以:
public static T Read<T>(BinaryReader reader) where T: new()
{
T instance = new T();
return ToStructure<T>(reader.ReadBytes(Marshal.SizeOf(instance)));
}
要写入,请将struct
对象转换为字节数组:
public static byte[] ToByteArray(object obj)
{
int len = Marshal.SizeOf(obj);
byte[] arr = new byte[len];
IntPtr ptr = Marshal.AllocHGlobal(len);
Marshal.StructureToPtr(obj, ptr, true);
Marshal.Copy(ptr, arr, 0, len);
Marshal.FreeHGlobal(ptr);
return arr;
}
...然后只需使用BinaryWriter
.
这是一个简单的示例,展示了如何在文件中读取和写入二进制格式的数据。
using System;
using System.IO;
namespace myFileRead
{
class Program
{
static void Main(string[] args)
{
// Let's create new data file.
string myFileName = @"C:\Integers.dat";
//check if already exists
if (File.Exists(myFileName))
{
Console.WriteLine(myFileName + " already exists in the selected directory.");
return;
}
FileStream fs = new FileStream(myFileName, FileMode.CreateNew);
// Instantialte a Binary writer to write data
BinaryWriter bw = new BinaryWriter(fs);
// write some data with bw
for (int i = 0; i < 100; i++)
{
bw.Write((int)i);
}
bw.Close();
fs.Close();
// Instantiate a reader to read content from file
fs = new FileStream(myFileName, FileMode.Open, FileAccess.Read);
BinaryReader br = new BinaryReader(fs);
// Read data from the file
for (int i = 0; i < 100; i++)
{
//read data as Int32
Console.WriteLine(br.ReadInt32());
}
//close the file
br.Close();
fs.Close();
}
}
}