标签:
有时候我们希望把类的实例保存下来,以便以后的时候用。一个直观的方法就是StreamWriter把类写成一行,用\t分隔开每个属性,然后用StreamReader读出来。
但是这样太麻烦,代码行数较多,而且必须事先知道属性在行中的对应位置。这时候如果采用类序列化的方式保存就使得代码很简单:
假如你有一个类,在它的上面加上[Serializable]属性就可以了,表示这个类是可以序列化的
然后采用如下代码将类的实例序列化到文件中[Serializable] public class People { public string Name { get; set; } public int Age { get; set; } }
//序列化 FileStream fs = new FileStream(@"D:\Program\CSharp\NGramTest\NGramTest\serializePeople.dat", FileMode.Create); People p = new People() { Name = "Haocheng Wu", Age = 24 }; BinaryFormatter bf = new BinaryFormatter(); bf.Serialize(fs, p); fs.Close();
这样就能够上面的那个文件就保存了这个类的实例,如果想要读出来,就可以用
//反序列化 fs = new FileStream(@"D:\Program\CSharp\NGramTest\NGramTest\serializePeople.dat", FileMode.Open); BinaryFormatter bf = new BinaryFormatter(); People p = bf.Deserialize(fs) as People;
运用同样的方法,也可以把一个类的List完全序列化到文件中
//序列化List FileStream fs = new FileStream(@"D:\Program\CSharp\NGramTest\NGramTest\serializePeople.dat", FileMode.Create); BinaryFormatter bf = new BinaryFormatter(); List<People> ps = new List<People>(); ps.Add(new People() { Name = "Haocheng Wu", Age = 24 }); ps.Add(new People() { Name = "James Wu", Age = 23 }); bf.Serialize(fs, ps); fs.Close();
读出来的方法也是一样的:
//反序列化List fs = new FileStream(@"D:\Program\CSharp\NGramTest\NGramTest\serializePeople.dat", FileMode.Open); BinaryFormatter bf = new BinaryFormatter(); List<People> ps = bf.Deserialize(fs) as List<People>;
标签:
原文地址:http://www.cnblogs.com/taoshao/p/5461577.html