序列化: 保存对象的"全景图" 序列化是将对象转换为可保存或可传输的格式的过程 三种: 二进制序列器: 对象序列化之后

时间:2022-04-14 05:49:47

序列化:
 生存东西的"全景图"
 序列化是将东西转换为可生存或可传输的格局的过程
 三种:
  二进制序列器:
   东西序列化之后是二进制形式的,通过BinaryFormatter类来实现的,这个类位于System.Runtime.Serialization.Formatters.Binary定名空间下
    [Serializable] //使东西可序列化(必需添加)
     特性
      措施集,类,要领,属性都可以使用特性
      Java中注解 <==> C#特性
      
    BinaryFormatter //创建二进制序列化器
     Serialize(Stream(流),object(序列化东西))
         流:可以理解成买通内存和硬盘的一个工具
          输入流:从硬盘到内存
          输出流:从内存到硬盘
  XML序列化器:
   东西序列化之后的功效切合SOAP协议,也就是可以通过SOAP?协议传输,,通过System.Runtime.Serialization.Formatters.Soap定名空间下的SoapFormatter类来实现的。
  SOAP序列化器:
   东西序列化之后的功效是XML形式的,通过XmlSerializer?类来实现的,这个类位于System.Xml.Serialization定名空间下。XML序列化不能序列化私有数据。
反序列化:
 将流转换为东西
 Disk(硬盘)--->Cache(内存)
 BinaryFormatter //创建二进制序列化器
  Deserialize(Stream(流))//返回object类型
  项目实例:

using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace Serializable_Deserialize { /// <summary> /// 用户类 /// </summary> //声明特性 [Serializable] public class UserInfo { public UserInfo() { } public UserInfo(string userName, string userAddress,string path) { UserName = userName; UserAddress = userAddress; Path = path; } public string UserName { get; set; } public string UserAddress { get; set; } public string Path { get; set; } } }

序列化:

using System; using System.Collections.Generic; using System.IO; using System.Linq; using System.Runtime.Serialization.Formatters.Binary; using System.Text; using System.Threading.Tasks; namespace Serializable_Deserialize { /// <summary> /// 序列化 /// </summary> class Program { static void Main(string[] args) { #region 序列化 //调集初始化器 初始化数据 List<UserInfo> list = new List<UserInfo>() { new UserInfo("房上的猫","北京海淀","https://www.cnblogs.com/lsy131479/"), new UserInfo("倾城月光~淡如水","北京大兴","http://www.cnblogs.com/fl72/") }; Console.WriteLine("二进制序列化中..."); //创建文件流派 Stream stream = new FileStream("save.bin", FileMode.Create); //二进制序列化 BinaryFormatter bf = new BinaryFormatter(); //将东西或具有指定* (根)、 东西图序列化到给定的流 bf.Serialize(stream, list); //*流 stream.Close(); Console.WriteLine("二进制序列化告成!"); #endregion Console.ReadLine(); } } }

反序列化:

using System; using System.Collections.Generic; using System.IO; using System.Linq; using System.Runtime.Serialization.Formatters.Binary; using System.Text; using System.Threading.Tasks; namespace Serializable_Deserialize { /// <summary> /// 反序列化 /// </summary> class Program { static void Main(string[] args) { #region 反序列化 //创建文件流派 Stream stream = new FileStream("save.bin", FileMode.Open); //二进制序列化 BinaryFormatter bf = new BinaryFormatter(); //指定的流反序列化东西图 List<UserInfo> list = (List<UserInfo>)bf.Deserialize(stream); //遍历反序列化后的泛型调集 foreach (UserInfo item in list) { Console.WriteLine(item.UserName + ":" + item.Path); } //*流 stream.Close(); #endregion Console.ReadLine(); } } }