Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C# Xml why doesn't my attribute appears?

I have a class defined like this:

[XmlRoot(ElementName="request")]
public class Request
{
    #region Attributes
    [XmlAttribute(AttributeName = "version")]
    public string Version
    {
        get
        {
            return "1.0";
        }
    }

    [XmlAttribute(AttributeName = "action")]
    public EAction Action
    {
        get;
        set;
    }
    #endregion

But when I serialize it, "version" doesn't show up in the attribute (while "action" does).

What's going wrong?

like image 404
Serge Avatar asked Jun 14 '13 08:06

Serge


2 Answers

XmlSerializer is going to ignore Version because it doesn't have a set, so there is no way it can attempt to ever deserialize it. Perhaps instead:

[XmlAttribute(AttributeName = "version")]
public string Version {get;set;}

public Request() { Version = "1.0"; }

which will have the same effect overall (although will require an extra string field per-instance - although all of the "1.0" values will be the same actual string instance, via interning), but will allow you to capture properly the version of data you are deserializing.

If you don't care about deserialization, then maybe just add a no-op set:

[XmlAttribute(AttributeName = "version")]
public string Version
{
    get { return "1.0"; }
    set { }
}
like image 140
Marc Gravell Avatar answered Sep 28 '22 05:09

Marc Gravell


You have to set an empty setter. It's a limitation of XmlAttribute.

[XmlRoot(ElementName="request")]
public class Request
{
    #region Attributes
    [XmlAttribute(AttributeName = "version")]
    public string Version
    {
        get
        {
            return "1.0";
        }
        set{}
    }

    [XmlAttribute(AttributeName = "action")]
    public EAction Action
    {
        get;
        set;
    }
    #endregion
like image 44
Joffrey Kern Avatar answered Sep 28 '22 03:09

Joffrey Kern