(转+整理)C# BinaryFormatter进行序列化与反序列化

序列化又称串行化,是.NET运行时环境用来支持用户定义类型的流化的机制。其目的是以某种存储形成使自定义对象持久化,或者将这种对象从一个地方传输到另一个地方。

.NET框架提供了两种种串行化的方式:1、是使用BinaryFormatter进行串行化;2、使用XmlSerializer进行串行化。第一种方式提供了一个简单的二进制数据流以及某些附加的类型信息,而第二种将数据流格式化为XML存储。    可以使用[Serializable]属性将类标志为可序列化的。如果某个类的元素不想被序列化,1、可以使用[NonSerialized]属性来标志,2、可以使用[XmlIgnore]来标志。

序列化意思指的是把对象的当前状态进行持久化,一个对象的状态在面向对象的程序中是由属性表示的,所以序列化类的时候是从属性读取值以某种格式保存下来,而类的成员函数不会被序列化,.net存在几种默认提供的序列化,二进制序列化,xml和json序列化会序列化所有的实例共有属性。

BinaryFormatter以二进制格式序列化和反序列化对象。

BinaryFormatte序列化:将对象转化成二进制。

BinaryFormatte反序列化:将二进制转化为对象。

命名空间: System.Runtime.Serialization.Formatters;

两个常用的方法:

Deserialize(Stream):将指定的流反序列化成对象

Serialize(Stream, Object):将对象序列化到给定的流

两个常用的属性:

扫描二维码关注公众号,回复: 2672838 查看本文章

Serializable:表示可以被序列化

NonSerializable:屏蔽被序列化

例如:

using UnityEngine;
using System;
using System.Collections;
using System.IO;
using System.Collections.Generic; using System.Runtime.Serialization.Formatters.Binary; [Serializable] // 表示该类可以被序列化 class Person { private string name; [NonSerialized] // 表示下面这个age字段不进行序列化 private int age; public string Name { get { return name;} set { name = value;} } public int Age { get { return age;} set { age = value;} } public Person() { } public Person(string name, int age) { this.name = name; this.age = age; } public void SayHi() { Debug.LogFormat ("我是{0}, 今年{1}岁", name, age); } } public class BinarySerializer : MonoBehaviour { string filePath = Directory.GetCurrentDirectory() + "/binaryFile.txt"; // Use this for initialization void Start () { List<Person> listPers = new List<Person> (); Person per1 = new Person ("张三", 18); Person per2 = new Person ("李四", 20); listPers.Add (per1); listPers.Add (per2); SerializeMethod (listPers); // 序列化 DeserializeMethod(); // 反序列化 Debug.Log("Done ! "); } void DeserializeMethod() // 二进制反序列化 { FileStream fs = new FileStream (filePath, FileMode.Open); BinaryFormatter bf = new BinaryFormatter (); List<Person> list = bf.Deserialize (fs) as List<Person>; if (list != null) { for (int i = 0; i < list.Count; i++) { list [i].SayHi (); } } fs.Close (); } void SerializeMethod(List<Person> listPers) // 二进制序列化 { FileStream fs = new FileStream (filePath, FileMode.Create); BinaryFormatter bf = new BinaryFormatter (); bf.Serialize (fs, listPers); fs.Close (); } // Update is called once per frame void Update () { } }

序列化的文本打开后,内容如下所示:

NonSerialized作用:被标记的字段都赋成空

反序列化输出结果:

大家好,我是张三,今年0岁

大家好,我是李四,今年0岁

由此看出,未序列化的字段存储的值为空

文章转载自:https://blog.csdn.net/e295166319/article/details/52790131、https://blog.csdn.net/u013667895/article/details/78478458

猜你喜欢

转载自www.cnblogs.com/yeshenmeng/p/9454916.html