在C#中,可以通過實現(xiàn)ISerializable接口來自定義對象的序列化方式。ISerializable接口要求實現(xiàn)GetObjectData方法和一個構(gòu)造函數(shù),通過這兩個方法可以手動控制對象的序列化和反序列化過程。
以下是一個簡單的示例,展示如何自定義一個Student類的序列化方式:
using System;
using System.IO;
using System.Runtime.Serialization;
using System.Runtime.Serialization.Formatters.Binary;
[Serializable]
public class Student : ISerializable
{
public string Name { get; set; }
public int Age { get; set; }
public Student(string name, int age)
{
this.Name = name;
this.Age = age;
}
// 自定義序列化方法
public void GetObjectData(SerializationInfo info, StreamingContext context)
{
info.AddValue("Name", this.Name);
info.AddValue("Age", this.Age);
}
// 自定義反序列化方法
public Student(SerializationInfo info, StreamingContext context)
{
this.Name = (string)info.GetValue("Name", typeof(string));
this.Age = (int)info.GetValue("Age", typeof(int));
}
}
class Program
{
static void Main()
{
Student student = new Student("Alice", 20);
// 序列化對象
IFormatter formatter = new BinaryFormatter();
using (Stream stream = new FileStream("student.bin", FileMode.Create, FileAccess.Write, FileShare.None))
{
formatter.Serialize(stream, student);
}
// 反序列化對象
Student deserializedStudent;
using (Stream stream = new FileStream("student.bin", FileMode.Open, FileAccess.Read, FileShare.Read))
{
deserializedStudent = (Student)formatter.Deserialize(stream);
}
Console.WriteLine($"Name: {deserializedStudent.Name}, Age: {deserializedStudent.Age}");
}
}
在上面的示例中,通過實現(xiàn)ISerializable接口,我們自定義了Student類的序列化和反序列化方法,并通過BinaryFormatter來進(jìn)行對象的序列化和反序列化操作。自定義序列化方法中使用SerializationInfo對象來添加需要序列化的屬性值,自定義反序列化方法中使用SerializationInfo來獲取反序列化的屬性值。