3

我不确定这个问题是错误还是只是这个,在我没有注意到这一点之前。

我创建了一个Document类并声明了 protobuf-net 限制。

[ProtoContract]
public class Document
{
    [ProtoMember(1)]
    private Dictionary<string,string> _items;

    [ProtoMember(2)]
    public int DocNumber
    {
        get;
        set;
    }

    public Document()
    {
        this.DocNumber = -1;
        this._items = new Dictionary<string,string>();    
    }

    public byte[] Serialize()
    {
        byte[] bytes = null;
        using (var ms = new MemoryStream())
        {
            Serializer.Serialize(ms, this);
            bytes = ms.ToArray();
            ms.Close();
        }
        return bytes;           
    }

    public static Document Deserialize(byte[] bytes)
    {
        Document obj = null;
        using (var ms = new MemoryStream(bytes))
        {
            obj = Serializer.Deserialize<Document>(ms);
            ms.Close();
        }
        return obj;
    }
 }

在测试代​​码中:

  var doc = new Document();
  doc.DocNumber = 0;          
  var bytes = doc.Serialize();
  var new_doc = Document.Deserialize(bytes);
  Console.WriteLine(new_doc.DocNumber + " vs " + doc.DocNumber);

输出消息是:-1 vs 0.i can't believe this result(正确的结果是0 vs 0),所以我将其更改 doc.DocNumber = 0doc.DocNumber = 1,输出是正确的:1 vs 1.

这个问题意味着我不能将零分配给DocNumber属性,在 Document 的构造方法中,我必须声明 DocNumber 属性为-1。

有人可以帮助我吗?这个问题是我的原因还是 protobuf-net 的原因?谢谢。

4

2 回答 2

3

ProtoBuf 不会序列化具有该类型的 .NET 默认值的值。这种行为是设计使然,因为它使输出更加紧凑。

由于它不知道您的构造函数为该字段分配了默认值,因此它被初始化为 -1(因为您有明确的代码来执行此操作)。

为避免此问题,请使用常规字段并为其分配默认值,而不是在构造函数中分配默认值。

于 2012-05-06T04:16:10.627 回答
3

默认。它假定零值作为默认值。我对这种设计选择感到遗憾,因此可以在 v2 中禁用它,但为了兼容性而保留。在 v1 和 v2 中,您也可以简单地告诉它 -1 是默认值:

[ProtoMember(2), DefaultValue(-1)]
public int DocNumber
于 2012-05-06T07:53:09.553 回答