XmlSerialisation:将属性序列化为另一个属性的属性

时间:2015-05-28 06:55:28

标签: c# serialization

问题

给定一个可序列化的Class,其中包含许多要序列化的属性,我希望它们中的一些属于另一个属性。

示例

序列化类似

的类
[Serializeable]
public class MySerializeableClass {

    public string AnyPath { get; set; }

    public bool IsActive { get; set; }

}

结果将是

<MySerializeableClass>
    <AnyPath>C:\</AnyPath>
    <IsActive>true</IsActive>
</MySerializeableClass>

应该

<MySerializeableClass>
    <AnyPath IsActive="true">C:\</AnyPath>
</MySerializeableClass>

要求

我已阅读here,我可以通过创建一些(通常是通用的)类来实现这一点。这会产生大量额外的代码,特别是因为序列化结构中没有可识别的顺序(它是一个定义的标准)。意味着使它变得通用会使它比上面添加的链接更复杂 - 这就是为什么我要避免这种情况以及为什么我来到这里。

所以一般来说我正在寻找使用属性的解决方案。但我也对其他可能的解决方案持开放态度。

编辑:

为了澄清,我已经知道创建类来解决这个问题的可能性。我提出这个问题是因为我想避免而且我不知道如何。

2 个答案:

答案 0 :(得分:7)

你可以用其他类来做:

public class MyPathClass
{
    [XmlAttribute]
    public bool IsActive { get; set; }

    [XmlText]
    public string Value { get; set; }

    public static implicit operator string(MyPathClass value)
    {
        return value.Value;
    }

    public static implicit operator MyPathClass(string value)
    {
        return new MyPathClass { Value = value };
    }
}

public class MySerializeableClass
{
    [XmlElement]
    public MyPathClass AnyPath { get;set; }
}

用法:

MySerializeableClass item = new MySerializeableClass() { AnyPath = "some path" };

XML:

<?xml version="1.0"?>
<MySerializeableClass xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema">
  <AnyPath IsActive="false">some path</AnyPath>
</MySerializeableClass>

获取路径(自动转换为字符串):

string path = item.AnyPath; // path="some path"

答案 1 :(得分:1)

另一种解决方案(IXmlSerializable

public class MySerializeableClass : IXmlSerializable
{
    public bool IsActive { get; set; }

    public string AnyPath { get; set; }

    public System.Xml.Schema.XmlSchema GetSchema()
    {
        return null;
    }

    public void ReadXml(XmlReader reader)
    {
        reader.Read();
        if (reader.Name == "AnyPath")
        {
            if (reader.HasAttributes)
            {
                this.IsActive = string.Equals(reader.GetAttribute("IsActive"), "true", StringComparison.InvariantCultureIgnoreCase);
            }
            this.AnyPath = reader.ReadElementContentAsString();
            reader.ReadEndElement();
        }
        else
        {
            throw new FormatException();
        }
    }

    public void WriteXml(XmlWriter writer)
    {
        writer.WriteStartElement("AnyPath");
        writer.WriteAttributeString("IsActive", IsActive ? "true" : "false");
        writer.WriteString(AnyPath);
        writer.WriteEndElement();
    }
}