有很多解决方案。
- [内置] 数据合约序列化器,用于 text/xml 或 MS Binary XML(后者更有效)
- [内置] XML 序列化程序。
- [内置] BinaryWriter/BinaryReader。
- [内置或第 3 方] JSON 序列化程序。
- [第 3 方] Google 协议缓冲区。
对于不同的要求,我更喜欢1和5。
更新:这是实现 #1 的示例代码。代码已经过测试,但仍有一些改进空间。
using System;
using System.Collections.Generic;
using System.IO;
using System.Runtime.Serialization;
using System.Xml;
namespace NS
{
/// <summary>This static class handles data serialization for the app.</summary>
/// <remarks>
/// <para>The serialization format is Microsoft's .NET binary XML, documented in [MC-NBFX] specification.</para>
/// <para>The efficiency could be improved further, by providing a pre-built XML dictionary.</para>
/// </remarks>
internal static class Serializer
{
/// <summary>Serializers are cached here</summary>
static readonly Dictionary<Type, DataContractSerializer> s_serializers = new Dictionary<Type, DataContractSerializer>();
/// <summary>Either get the serializer from cache, or create a new one for the type</summary>
/// <param name="tp"></param>
/// <returns></returns>
private static DataContractSerializer getSerializer( Type tp )
{
DataContractSerializer res = null;
if( s_serializers.TryGetValue( tp, out res ) )
return res;
lock( s_serializers )
{
if( s_serializers.TryGetValue( tp, out res ) )
return res;
res = new DataContractSerializer( tp );
s_serializers.Add( tp, res );
return res;
}
}
/// <summary>Read deserialized object from the stream.</summary>
/// <typeparam name="T"></typeparam>
/// <param name="stm"></param>
/// <returns></returns>
public static T readObject<T>( Stream stm ) where T: class
{
DataContractSerializer ser = getSerializer( typeof( T ) );
using( var br = XmlDictionaryReader.CreateBinaryReader( stm, XmlDictionaryReaderQuotas.Max ) )
return (T)ser.ReadObject( br );
}
/// <summary>Write serialized object to the stream.</summary>
/// <typeparam name="T"></typeparam>
/// <param name="stm"></param>
/// <param name="obj"></param>
public static void writeObject<T>( Stream stm, T obj ) where T: class
{
DataContractSerializer ser = getSerializer( typeof( T ) );
using( XmlDictionaryWriter bw = XmlDictionaryWriter.CreateBinaryWriter( stm, null, null, false ) )
{
ser.WriteObject( bw, obj );
bw.Flush();
}
stm.Flush();
}
}
}