對象持久化到文本文件,策略是:將對象的屬性值打散,拆解,分別存儲。工具
序列化:
保存對象的"全景圖"
序列化是將對象轉換爲可保存或可傳輸的格式的過程
三種:
二進制序列器:
對象序列化以後是二進制形式的,經過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類型
項目實例:spa
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; } } }
序列化:code
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(); } } }
反序列化:orm
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(); } } }