C# BinaryFormatter实现序列化,我们知道在.NET框架里提供了C# BinaryFormatter,那么他是如何实现序列化操作的呢,首先我们来看看C# BinaryFormatter的概念以及作用。
C# BinaryFormatter的介绍:
BinaryFormatter使用二进制格式化程序进行序列化。您只需创建一个要使用的流和格式化程序的实例,然后调用格式化程序的 Serialize 方法。流和要序列化的对象实例作为参数提供给此调用。类中的所有成员变量(甚至标记为 private 的变量)都将被序列化。
C# BinaryFormatter使用实例:
首先我们创建一个类:
1 [Serializable]
2 public class MyObject
3 {
public int n1 = 0;
4 public int n2 = 0;
5 public String str = null;
6 }
Serializable属性用来明确表示该类可以被序列化。同样的,我们可以用NonSerializable属性用来明确表示类不能被序列化。接着我们创建一个该类的实例,然后序列化,并存到文件里持久:
7 MyObject obj = new MyObject();
8 obj.n1 = 1;
9 obj.n2 = 24;
10 obj.str = "一些字符串";
11 IFormatter formatter = new BinaryFormatter();
12 Stream stream = new FileStream("MyFile.bin", FileMode.Create, FileAccess.Write, FileShare.None);
13 formatter.Serialize(stream, obj);
14 stream.Close();
而将对象还原到它以前的状态也非常容易。首先,创建格式化程序和流以进行读取,然后让格式化程序对对象进行反序列化。
15 IFormatter formatter = new BinaryFormatter();
16 Stream stream = new FileStream( "MyFile.bin", FileMode.Open, FileAccess.Read, FileShare.Read);
17 MyObject obj = (MyObject) formatter.Deserialize(fromStream);
18 stream.Close();
19 // 下面是证明
20 Console.WriteLine("n1: {0}", obj.n1);
21 Console.WriteLine("n2: {0}", obj.n2);
22 Console.WriteLine("str: {0}", obj.str);