反序列化“long"c#的字符串与protobuf不适合我工作
本文关键字:字符串 protobuf 不适合 工作 long quot 反序列化 | 更新日期: 2023-09-27 18:11:31
我显然做了一些基本的错误,但我不知道它是什么,也找不到文档。
我正在用Marc Gravell为。net编写的proto-buf进行实验,并尝试序列化和反序列化对象。一旦一个对象包含一个"太长"的字符串(没有尝试确定大小阈值,但它是几百字节),这个字符串就不能正确地反序列化。
这是我的代码:
using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.IO;
using System.Linq;
using System.Reflection;
using System.Text;
using ProtoBuf;
namespace ConsoleApplication1
{
public class Program
{
[ProtoContract]
public class test
{
[ProtoMember(1)]
public int i;
[ProtoMember(2)]
public string s1;
[ProtoMember(3)]
public string s2;
[ProtoMember(4)]
public char[] arrchars;
[ProtoMember(5)]
public Dictionary<int, string> Dict = new Dictionary<int, string>();
}
static void Main(string[] args)
{
test var1 = new test();
var1.i = 10;
var1.s1 = "Hello";
var1.arrchars = new char[] {'A', 'B', 'C'};
var1.Dict.Add(10, "ten");
var1.Dict.Add(5, "five");
var1.s2 = new String('X', 520);
string s = PBSerializer.Serialize(typeof (test), var1);
test var2 = null;
PBSerializer.Deserialize(s, out var2);
}
public static class PBSerializer
{
public static string Serialize(Type objType, object obj)
{
MemoryStream stream = new MemoryStream();
ProtoBuf.Serializer.Serialize(stream, obj);
// ProtoBuf.Serializer.SerializeWithLengthPrefix(stream, obj, PrefixStyle.Fixed32, 1);
stream.Flush();
stream.Position = 0;
StreamReader sr = new StreamReader(stream);
string res = sr.ReadToEnd();
stream.Dispose();
sr.Dispose();
return res;
}
public static void Deserialize(string serializedObj, out test obj)
{
MemoryStream stream = new MemoryStream(Encoding.ASCII.GetBytes(serializedObj));
obj = ProtoBuf.Serializer.Deserialize<test>(stream);
// obj = ProtoBuf.Serializer.DeserializeWithLengthPrefix<test>(stream, PrefixStyle.Fixed32, 1);
stream.Dispose();
}
}
}
}
var2。S2不等于var1。S2 -它在字符串的开头有一个额外的字符,并截断字符串末尾的大部分。但是,如果我改变了var1的长度。从s2到一个小数字(比如52而不是520个字符),我的问题消失了,但我需要能够序列化长字符串。我认为这与我在设置PrefixStyle(?)时做错了什么有关,或者我没有使用正确的编码(?)。然而,反复试验并没有帮助我解决这个问题。
我正在使用。net 3.5,并在版本444 &
谢谢。
您正在序列化二进制数据-但随后试图将其视为文本来读取。它不是——所以不要那样做。
如果有将任意二进制数据转换为文本,请使用Convert.ToBase64String
和Convert.FromBase64String
。
public static class PBSerializer
{
public static string Serialize(Type objType, object obj)
{
using (MemoryStream stream = new MemoryStream())
{
ProtoBuf.Serializer.Serialize(stream, obj);
return Convert.ToBase64String(stream.ToArray());
}
}
// Ideally change this to use a return value instead of an out parameter...
public static void Deserialize(string serializedObj, out test obj)
{
byte[] data = Convert.FromBase64String(serializedObj);
using (MemoryStream stream = new MemoryStream(data))
{
obj = ProtoBuf.Serializer.Deserialize<test>(stream);
}
}