17

至少在我的预期中,我在 .NET 的二进制序列化中遇到了一个奇怪的行为。

a 的所有加载项都在回调Dictionary之后添加到它们的父项。OnDeserialization反之List则相反。这在现实世界的存储库代码中可能真的很烦人,例如当您需要向字典项添加一些委托时。请检查示例代码并观察断言。

这是正常行为吗?

[Serializable]
public class Data : IDeserializationCallback
{
    public List<string> List { get; set; }

    public Dictionary<string, string> Dictionary { get; set; }

    public Data()
    {
        Dictionary = new Dictionary<string, string> { { "hello", "hello" }, { "CU", "CU" } };
        List = new List<string> { "hello", "CU" };
    }

    public static Data Load(string filename)
    {
        using (Stream stream = File.OpenRead(filename))
        {
            Data result = (Data)new BinaryFormatter().Deserialize(stream);
            TestsLengthsOfDataStructures(result);

            return result;
        }
    }

    public void Save(string fileName)
    {
        using (Stream stream = File.Create(fileName))
        {
            new BinaryFormatter().Serialize(stream, this);
        }
    }

    public void OnDeserialization(object sender)
    {
        TestsLengthsOfDataStructures(this);
    }

    private static void TestsLengthsOfDataStructures(Data data)
    {
        Debug.Assert(data.List.Count == 2, "List");
        Debug.Assert(data.Dictionary.Count == 2, "Dictionary");
    }
}
4

3 回答 3

10

是的,您在Dictionary<TKey, TValue>反序列化中发现了一个恼人的怪癖。您可以通过手动调用字典的OnDeserialization()方法来解决它:

public void OnDeserialization(object sender)
{
    Dictionary.OnDeserialization(this);
    TestsLengthsOfDataStructures(this);
}

顺便说一句,您也可以使用[OnDeserialized]属性而不是IDeserializationCallback

[OnDeserialized]
public void OnDeserialization(StreamingContext context)
{
    Dictionary.OnDeserialization(this);
    TestsLengthsOfDataStructures(this);
}
于 2009-01-19T10:43:31.147 回答
8

我可以重现这个问题。环顾谷歌,发现:http ://connect.microsoft.com/VisualStudio/feedback/ViewFeedback.aspx?FeedbackID=94265虽然我不确定这是完全相同的问题,但它似乎非常相似。

编辑:

我认为添加此代码可能已经解决了问题?

    public void OnDeserialization(object sender)
    {
            this.Dictionary.OnDeserialization(sender);
    }

没有时间进行详尽的测试,我想击败 Marc 得到答案 ;-)

于 2009-01-19T10:42:37.153 回答
4

有趣...对于信息,我尝试使用基于属性的方法(如下),它的行为相同...非常好奇!我无法解释 - 我只是回复确认转载,并提及[OnDeserialized]行为:

[OnDeserialized] // note still not added yet...
private void OnDeserialized(StreamingContext context) {...}

编辑 - 在这里找到“连接”问题。尝试添加到您的回调:

Dictionary.OnDeserialization(this);
于 2009-01-19T10:42:18.183 回答