序列化是将对象转换成字节流的过程,反序列化是把字节流转换成对象的过程。对象一旦被序列化,就可以把对象状态保存到硬盘的某个位置,甚至还可以通过网络发送给另外一台机器上运行的进程。本篇主要包括:

使用BinaryFormatter类进行序列化和反序列化
使用ISerializable接口自定义序列化过程
使用XmlSerializer类进行序列化和反序列化

□ 使用BinaryFormatter类进行序列化和反序列化

首先把需要序列化的类打上[Serializable]特性,如果某个字段不需要被序列化,就打上[NonSerialized]特性。

    [Serializable]
    public class Meeting
    {
        public string _name;

        [NonSerialized]
        public string _location;

        public Meeting(string name, string location)
        {
            this._name = name;
            this._location = location;
        }
    }

对象序列化后需要一个载体文件,以下的Meeting.binary文件用来存储对象的状态。

        static void Main(string[] args)
        {
            Meeting m1 = new Meeting("年终总结","青岛");
            Meeting m2;

            //先序列化
            SerializedWithBinaryFormatter(m1,"Meeting.binary");
            m2 = (Meeting) DeserializeWithBinaryFormatter("Meeting.binary");
            Console.WriteLine(m2._name);
            Console.WriteLine(m2._location  ?? "_location字段没有被序列化");
            Console.ReadKey();
        }

        //序列化
        static void SerializedWithBinaryFormatter(object obj, string fileName)
        {
            //打开文件写成流
            Stream streamOut = File.OpenWrite(fileName);
            BinaryFormatter formatter = new BinaryFormatter();

            //把对象序列化到流中
            formatter.Serialize(streamOut, obj);

            //关闭流
            streamOut.Close();
        }

        //反序列化
        static object DeserializeWithBinaryFormatter(string fileName)
        {
            //打开文件读成流
            Stream streamIn = File.OpenRead(fileName);
            BinaryFormatter formatter = new BinaryFormatter();
            object obj = formatter.Deserialize(streamIn);
            streamIn.Close();
            return obj;
        }

Meeting.binary文件在bin/debug文件夹中。

□ 使用ISerializable接口自定义序列化过程

如果想对序列化的过程有更多的控制,应该使用ISerializable接口,通过它的GetObjectData方法可以改变对象的字段值。

  [Serializable]
    public class Location : ISerializable
    {
        public int x;
        public int y;
        public string name;

        public Location(int x, int y, string name)
        {
            this.x = x;
            this.y = y;
            this.name = name;
        }

        protected Location(SerializationInfo info, StreamingContext context)
        {
            x = info.GetInt32("i");
            y = info.GetInt32("j");
            name = info.GetString("k");
        }
        public void GetObjectData(SerializationInfo info, StreamingContext context)
        {
            info.AddValue("i", x + 1);
            info.AddValue("j", y + 1);
            info.AddValue("k", name + "HELLO");
        }
    }


以上,不仅要实现接口方法GetObjectData,还需要提供对象的重载构造函数,从SerializationInfo实例中获取值。

在客户端:

            Location loc1 = new Location(1,2,"qingdao");
            Location loc2;

            //序列化
            SerializedWithBinaryFormatter(loc1, "Location.binary");
            loc2 = (Location) DeserializeWithBinaryFormatter("Location.binary");
            Console.WriteLine(loc2.x);
            Console.WriteLine(loc2.y);
            Console.WriteLine(loc2.name);
            Console.ReadKey();

以上,使用BinaryFormatter类进行序列化和反序列化,存储的文件格式是二进制的,例如,打开Meeting.binary文件,我们看到:

有时候,我们希望文件的格式是xml。

□ 使用XmlSerializer类进行序列化和反序列化

XmlSerializer类进行序列化的存储文件是xml格式。用XmlSerializer类进行序列化的类不需要打上[Serializable]特性。

    public class Car
    {
        [XmlAttribute(AttributeName = "model")]
        public string type;

        public string code;

        [XmlIgnore]
        public int age;

        [XmlElement(ElementName = "mileage")]
        public int miles;

        public Status status;

        public enum Status
        {
            [XmlEnum("使用中")]
            Normal,
            [XmlEnum("修复中")]
            NotUse,
            [XmlEnum("不再使用")]
            Deleted
        }
    }


在客户端:

            //打开写进流
            Stream streamOut = File.OpenWrite("Car.xml");

            System.Xml.Serialization.XmlSerializer x = new XmlSerializer(car1.GetType());

            //序列化到流中
            x.Serialize(streamOut, car1);
            streamOut.Close();

            //打开读流
            Stream streamIn = File.OpenRead("Car.xml");

            //反序列化
            Car car2 = (Car) x.Deserialize(streamIn);
            Console.WriteLine(car2.type);
            Console.WriteLine(car2.code);
            Console.WriteLine(car2.miles);
            Console.WriteLine(car2.status);
            Console.ReadKey();


运行,打开bin/debug中的Car.xml文件如下:

<?xml version="1.0"?>
<Car xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" model="sedan">
  <code>001</code>
  <mileage>1000</mileage>
  <status>使用中</status>
</Car>

○ 类名Car成了xml的根节点
○ 打上[XmlAttribute(AttributeName = "model")]特性的字段变成了根节点的属性,AttributeName为属性别名
○ 枚举项可打上[XmlEnum("使用中")]特性

如果一个类中包含集合属性,比如以下的Department类包含一个类型List<Employee>的集合属性Employees。

   public class Department
    {
        public Department()
        {
            Employees = new List<Employee>();
        }
        public string Name { get; set; }

        [XmlArray("Staff")]
        public List<Employee> Employees { get; set; }
    }

    public class Employee
    {
        public string Name { get; set; }

        public Employee()
        {

        }

        public Employee(string name)
        {
            Name = name;
        }
    }


在客户端:

    class Program
    {
        static void Main(string[] args)
        {
            var department = new Department();
            department.Name = "销售部";
            department.Employees.Add(new Employee("张三"));
            department.Employees.Add(new Employee("李四"));

            XmlSerializer serializer = new XmlSerializer(department.GetType());
            //打开写进流
            Stream streamOut = File.OpenWrite("Department.xml");
            serializer.Serialize(streamOut, department);
            streamOut.Close();
        }
    }

查看bin/debug中的Department.xml文件。

<?xml version="1.0"?>
<Department xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
  <Name>销售部</Name>
  <Staff>
    <Employee>
      <Name>张三</Name>
    </Employee>
    <Employee>
      <Name>李四</Name>
    </Employee>
  </Staff>
</Department>

总结:
1、使用BinaryFormatter类序列化到二进制文件
2、使用XmlSerializer类序列化到xml文件
3、使用ISerializable接口自定义序列化过程

初识序列化和反序列化,使用BinaryFormatter类、ISerializable接口、XmlSerializer类进行序列化和反序列化的更多相关文章

  1. 谁能在同一文件序列化多个对象并随机读写(反序列化)?BinaryFormatter、SoapFormatter、XmlSerializer还是BinaryReader

    谁能在同一文件序列化多个对象并随机读写(反序列化)?BinaryFormatter.SoapFormatter.XmlSerializer还是BinaryReader 随机反序列化器 +BIT祝威+悄 ...

  2. 数据结构-List接口-LinkedList类-Set接口-HashSet类-Collection总结

    一.数据结构:4种--<需补充> 1.堆栈结构:     特点:LIFO(后进先出);栈的入口/出口都在顶端位置;压栈就是存元素/弹栈就是取元素;     代表类:Stack;     其 ...

  3. .NET中XML序列化和反序列化常用类和用来控制XML序列化的属性总结(XmlSerializer,XmlTypeAttribute,XmlElementAttribute,XmlAttributeAttribute,XmlArrayAttribute...)

    序列化和反序列化是指什么? 序列化(seriallization): 将对象转化为便于传输的数据格式, 常见的序列化格式:二进制格式,字节数组,json字符串,xml字符串.反序列化(deserial ...

  4. ISerializable接口

    继承ISerializable接口可以灵活控制序列化过程 格式化器的工作流程:格式化器再序列化一个对象的时候,发现对象继承了ISerializable接口,那它就会忽略掉类型所有的序列化特性,转而调用 ...

  5. typescript可索引接口 类类型接口

    /* 接口的作用:在面向对象的编程中,接口是一种规范的定义,它定义了行为和动作的规范,在程序设计里面,接口起到一种限制和规范的作用.接口定义了某一批类所需要遵守的规范,接口不关心这些类的内部状态数据, ...

  6. java类生命周期,类的“加载,连接,初始化,使用,卸载过程”详解

    “ 如果说核心类库的 API 比做数学公式的话,那么 Java 虚拟机的知识就好比公式的推导过程” 每本Java入门书籍在介绍Java这门语言的时候都会提到Java跨平台,“一次解释,到处运行的特点“ ...

  7. Typescript中的可索引接口 类类型接口

    /* 5.typeScript中的接口 可索引接口 类类型接口 */ /* 接口的作用:在面向对象的编程中,接口是一种规范的定义,它定义了行为和动作的规范,在程序设计里面,接口起到一种限制和规范的作用 ...

  8. Java基础进阶:多态与接口重点摘要,类和接口,接口特点,接口详解,多态详解,多态中的成员访问特点,多态的好处和弊端,多态的转型,多态存在的问题,附重难点,代码实现源码,课堂笔记,课后扩展及答案

    多态与接口重点摘要 接口特点: 接口用interface修饰 interface 接口名{} 类实现接口用implements表示 class 类名 implements接口名{} 接口不能实例化,可 ...

  9. 序列化流与反序列化流,打印流,工具类commons-IO

    1序列化流与反序列化流 用于从流中读取对象的操作流 ObjectInputStream    称为 反序列化流 用于向流中写入对象的操作流 ObjectOutputStream   称为 序列化流 特 ...

随机推荐

  1. 用Python连接SQLServer抓取分析数据、监控 (pymssql)

    Python 环境:python3 服务器环境: centos6.5 数据库: Mysql 大概流程:在装有Python服务器,利用pymssql库连接MSSQL生产数据库取出数据然后写进mysql数 ...

  2. SpringBoot 构建RestFul API 含单元测试

    相关博文: 从消费者角度评估RestFul的意义 SpringBoot 构建RestFul API 含单元测试 首先,回顾并详细说明一下在快速入门中使用的  @Controller .  @RestC ...

  3. 七、vue语法补充二(动态组件 & 异步组件、访问元素 & 组件、混入)

    1..sync 修饰符 2.3.0+ 新增 vue 修饰符sync的功能是:当一个子组件改变了一个 prop 的值时,这个变化也会同步到父组件中所绑定.类似于v-model的效果 例子: this.$ ...

  4. poj2709

    模拟题,在合成灰色的时候,每次取当前剩余最多的三种颜色,各取1mL合成.然后重新看剩余最多的是哪三个. #include <cstdio> #include <cstdlib> ...

  5. File /data/binlog/mysql-bin.index' not found (Errcode: 13)

    [问题] 需要开启bin-log备份/恢复数据库,但是因为本身bin-log保存的位置存储太小,并且归类性也不好,所以自己新创建了/data/binlog来保存二进制日志 在/etc/my.cnf增加 ...

  6. vue之给a标签赋值

    <li v-for="(bp,index) in bpLists"> <a class="bidPublicityTitle" :href=& ...

  7. Java实现继承过程概述

    super(); 在调用子类的构造器的时候,如果没有显示的写出 super(); ,那么,编译器会在佛那个加上 super(); 无参构造器 如果想调用父类的有参构造器,那么,必须显示的调用,编译器不 ...

  8. [USACO17FEB]Why Did the Cow Cross the Road I G

    一开始想写$DP$,发现直接转移完全有后效性 所以本小蒟蒻写了个最短路 每走三步就要吃草是这个题最难搞的地方,我们建图时不妨只对于距离等于三的点连边 考虑完全覆盖所有情况,从一个点走一步,两步,然后三 ...

  9. /dev/null和/dev/zero的区别

    /dev/null,外号叫无底洞,你可以向它输出任何数据,它通吃,并且不会撑着!/dev/zero,是一个输入设备,你可你用它来初始化文件. /dev/null------它是空设备,也称为位桶(bi ...

  10. df -h命令卡死解决办法

    1.现象 同事突然反应说有个服务器进入/目录运行 ls  -l 无反应,同时运行df  -h也卡死了.如果你的机器有用到nfs请直接看第四大点. 2.分析 运行mount [conversant@sw ...