c#反序列化顺序

本文关键字:顺序 反序列化 | 更新日期: 2023-09-27 17:50:25

我有以下三种类型,例如:

public class Type1 : ISerializable
{
    public List<Type2> field2 { set; get; }
    public void GetObjectData(SerializationInfo info, StreamingContext context)
    {
        info.AddValue("field2", field2, typeof (List<Type2>));
    }
    protected Type1(SerializationInfo info, StreamingContext context)
    {
        this.field2 = (List<Type2>) info.GetValue("field2", typeof (List<Type2>));
    }
}
public class Type2 : ISerializable
{
    public List<Type3> field3 { set; get; }
    public void GetObjectData(SerializationInfo info, StreamingContext context)
    {
        info.AddValue("field3", field3, typeof (List<Type3>));
    }
    protected Type2(SerializationInfo info, StreamingContext context)
    {
        this.field3 = (List<Type3>) info.GetValue("field3", typeof (Type3));
    }
}
public class Type3 : ISerializable
{
    public string field;
    public void GetObjectData(SerializationInfo info, StreamingContext context)
    {
        info.AddValue("field", field, typeof (string));
    }
    protected Type3(SerializationInfo info, StreamingContext context)
    {
        this.field = (string) info.GetValue("field", typeof (string));
    }
}

在Type1对象的反序列化时,例如,首先对type3对象进行反序列化,然后首先是type1,然后是Type2。我需要这个纪律:首先是1型,然后是2型,然后是3型。我该怎么做呢?脚注:这不是我的代码,我不测试,但我的代码是这样的。

c#反序列化顺序

这听起来好像您需要创建一个整体可序列化的类,其中按照所需的顺序控制序列化,如下所示:

public class TypePrimary : ISerializable{
    private Type1 _type1;
    private Type2 _type2;
    private Type3 _type3;
    protected TypePrimary(Type1 type1, Type2, type2, Type3 type3){
        this._type1 = type1;
        this._type2 = type2;
        this._type3 = type3;
    }
    public void GetObjectData(SerializationInfo info, StreamingContext context)
    {
        info.AddValue("type1", this._type1, typeof (Type1));
        info.AddValue("type2", this._type2, typeof (Type2));
        info.AddValue("type3", this._type3, typeof (Type3));
    }
    protected TypePrimary(SerializationInfo info, StreamingContext context)
    {
        this._type1 = (Type1) info.GetValue("type1", typeof (Type1));
        this._type2 = (Type2) info.GetValue("type2", typeof (Type2));
        this._type3 = (Type3) info.GetValue("type3", typeof (Type3));
    }
    // Use public getters to return the types...
}

其余的字段也将被序列化…可以把它看作是对它的包装,以保持所需的一致性。

似乎有一个内置的特性来指定序列化过程中的顺序:

https://learn.microsoft.com/en-us/dotnet/framework/wcf/feature-details/data-member-order

我认为这个例子是不言自明的:

[DataContract]
public class BaseType
{
    [DataMember]
    public string zebra;
}
[DataContract]
public class DerivedType : BaseType
{
    [DataMember(Order = 0)]
    public string bird;
    [DataMember(Order = 1)]
    public string parrot;
    [DataMember]
    public string dog;
    [DataMember(Order = 3)]
    public string antelope;
    [DataMember]
    public string cat;
    [DataMember(Order = 1)]
    public string albatross;
}