0

我有以下扩展方法来克隆包含项目的列表:

    public static class MyExtensionMethods
    {
        public static T CloneXml<T>(this T source)
        {
            var stream = new MemoryStream();
            var xmls = new XmlSerializer(typeof(T));
            xmls.Serialize(stream, source);
            stream.Seek(0, SeekOrigin.Begin);
            return (T)xmls.Deserialize(stream);
        }

        public static T CloneBinary<T>(this T source)
        {
            var formatter = new BinaryFormatter();
            var stream = new MemoryStream();
            formatter.Serialize(stream, source);
            stream.Seek(0, SeekOrigin.Begin);
            return (T)formatter.Deserialize(stream);
        }
    }

对于测试,我使用以下对象:

[Serializable]
public class MyItem
{
    public string Name { get; set; }
}

现在,当我克隆 100 个 MyItem 对象的列表时,BinaryFormatter 解决方案 (1ms) 将比我的 XmlSerializer 解决方案 (110ms) 快得多。但是如果列表中有 100000 个 MyItem 对象,BinaryFormatter 解决方案 (1s) 将比 XmlSerializer 解决方案 (450ms) 慢。

这里发生了什么?

4

2 回答 2

2

这可能是由于在更高版本的 .net 中修复的 binaryformatter 的性能问题:

当 BinaryFormatter 遇到更大的对象列表时,由于线性搜索,它会获得二次反序列化时间

https://github.com/dotnet/corefx/issues/16991

和修复:

此修复程序计划包含在 .NET Framework 4.7.2 更新中。默认情况下不会启用它。仅当设置 Switch.System.Runtime.Serialization.UseNewMaxArraySize 配置开关时才会启用。

于 2020-01-10T12:54:30.637 回答
1

二进制格式对所有元数据(如类型、程序集信息)进行处理。

XMLSerializer 只是序列化为一个模式(公共字段、对象的值)。所以我认为这就是它更快的原因

http://blogs.msdn.com/b/youssefm/archive/2009/07/10/comparing-the-performance-of-net-serializers.aspx

于 2013-08-14T14:21:57.343 回答