XmlSerializer和可空属性

时间:2010-07-14 21:30:55

标签: c# .net attributes nullable xmlserializer

我有一个有很多Nullable< T>的课程。我希望可以将XML序列化为属性的属性。这显然是禁忌,因为它们被认为是“复杂类型”。所以,我实现了* Specified模式,我在其中创建了一个add * Value和* Specified属性,如下所示:

[XmlIgnore]
public int? Age
{
    get { return this.age; }
    set { this.age = value; }
}

[XmlAttribute("Age")]
public int AgeValue
{
    get { return this.age.Value; }
    set { this.age = value; }
}

[XmlIgnore]
public bool AgeValueSpecified
{
    get { return this.age.HasValue; }
}

哪种方法正常 - 如果'Age'属性有值,则将其序列化为属性。如果它没有值,则不会序列化。

问题在于,正如我所提到的,我的班级中有很多Nullable-s,而这种模式只是让事情变得混乱和无法管理。

我希望有一种方法可以使Nullable更友好的XmlSerializer。或者,如果失败了,那就是创建Nullable替换的方法。

有没有人有任何想法我怎么能这样做?

感谢。

2 个答案:

答案 0 :(得分:15)

我遇到了一些与我正在处理的代码类似的问题,我决定只使用字符串作为我正在序列化和反序列化的属性。我最终得到了类似的东西:

[XmlAttribute("Age")]
public string Age
{
    get 
    { 
        if (this.age.HasValue)
            return this.age.Value.ToString(); 
        else
            return null;
    }
    set 
    { 
        if (value != null)
            this.age = int.Parse(value);
        else
            this.age = null;
    }
}

[XmlIgnore]
public int? age;

答案 1 :(得分:10)

在您的课程上实施IXmlSerializable界面。然后,您可以在ReadXMLWriteXML方法中处理特殊情况,例如nullables。 There's a good example in the MSDN documentation page.

 
class YourClass : IXmlSerializable
{
    public int? Age
    {
        get { return this.age; }
        set { this.age = value; }
    }

    //OTHER CLASS STUFF//

    #region IXmlSerializable members
    public void WriteXml (XmlWriter writer)
    {
        if( Age != null )
        {
            writer.WriteValue( Age )
        }
    }

    public void ReadXml (XmlReader reader)
    {
        Age = reader.ReadValue();
    }

    public XmlSchema GetSchema()
    {
        return(null);
    }
    #endregion
}