欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C#序列化与反序列化(Serialize,Deserialize)实例详解

程序员文章站 2023-11-06 22:53:52
本文实例讲述了c#序列化与反序列化(serialize,deserialize)实现方法。分享给大家供大家参考。具体分析如下: 如果要保存运行程序过程的数据要么保存到数据...

本文实例讲述了c#序列化与反序列化(serialize,deserialize)实现方法。分享给大家供大家参考。具体分析如下:

如果要保存运行程序过程的数据要么保存到数据库中,要么新建一个普通的文件,然后把数据保存进去.但是这两者有个缺点就是,不能把原有数据的结构也保存进去.比如一个类中的字段值保存进去后再读取出来必须再解析下才行.序列化技术让你省去了解析的过程.保存后再读取时直接得到一个class

序列化的方式有三种:binaryformatter,soapformatter,xmlserializer

1.binaryformatter

保存成二进制数据流.用法示例:

using system.io;
using system.runtime.serialization.formatters.binary;
[serializable]
//如果要想保存某个class中的字段,必须在class前面加个这样attribute(c#里面用中括号括起来的标志符)
public class person
{
public int age;
public string name;
[nonserialized] //如果某个字段不想被保存,则加个这样的标志
public string secret;
}

序列化:

classprogram
{
 staticvoid main(string[] args)
{
person person = newperson();
person.age = 18;
person.name = "tom";
person.secret = "i will not tell you";
filestream stream =newfilestream(@"c:\temp\person.dat",filemode.create);
binaryformatter bformat =newbinaryformatter();
bformat.serialize(stream, person);
stream.close();
}

反序列化:

classprogram
{
staticvoid main(string[] args)
{
person person = newperson();
filestream stream =newfilestream(@"c:\temp\person.dat",filemode.open);
binaryformatter bformat =newbinaryformatter();
person = (person)bformat.deserialize(stream);
//反序列化得到的是一个object对象.必须做下类型转换
stream.close();
console.writeline(person.age + person.name + person.secret);
//结果为18tom.因为secret没有有被序列化.
}

2.soapformatter

把数据保存成xml文件.里面除了保存的内容还有些额外的soap信息.它的用法和binaryformatter一样.只要把binaryformatter都替换成soapformatter就行.

把文件名改为person.xml

另外就是添加名称空间:using system.runtime.serialization.formatters.soap;
这个名称空调对就的程序集有时vs没有自动引用.你必须手动去引用.选中project,右击选择add reference.在.net的标签下选择

system.runtime.serialization.formatters.soap.然后点ok.

补充:soap(simple object access protocol )简单对象访问协议是在分散或分布式的环境中交换信息的简单的协议,是一个基于xml的协议,它包括四个部分:soap封装(envelop),封装定义了一个描述消息中的内容是什么,是谁发送的,谁应当接受并处理它以及如何处理它们的框架;soap编码规则(encoding rules),用于表示应用程序需要使用的数据类型的实例; soap rpc表示(rpc representation),表示远程过程调用和应答的协定;soap绑定(binding),使用底层协议交换信息。

3.xmlserializer

也是保存成xml文件.但没有其他额外信息.另外它只能保存public类型的字段.而其他两种类型能保存所以类型的字段.
这里仍使用上面的person类.

添加名称空间:

using system.io;
using system.xml.serialization;

序列化:

classprogram
{
 staticvoid main(string[] args)
{
person person = newperson();
person.age = 18;
person.name = "tom";
person.secret = "i will not tell you";
filestream stream =newfilestream(@"c:\temp\xmlformat.xml",filemode.create);
xmlserializer xmlserilize = newxmlserializer(typeof(person));
xmlserilize.serialize(stream, person);
stream.close();
}

反序列化:

classprogram
{
staticvoid main(string[] args)
{
person person = newperson();
filestream stream =newfilestream(@"c:\temp\xmlformat.xml",filemode.open);
xmlserializerxmlserilize = newxmlserializer(typeof(person));
person = (person)xmlserilize.deserialize(stream);
stream.close();
console.writeline(person.age + person.name + person.secret);
}

希望本文所述对大家的c#程序设计有所帮助。