如何使用 XmlSerializer 为从基础 class 继承的 classes 的节点名称编写 XmlType

How to write XmlType for node names of classes that inherit from a base class using XmlSerializer

我想从一组 C# 对象生成以下 XML:

<?xml version="1.0" encoding="utf-16"?>
<MyRoot xmlns="http://sample.com">
  <Things>
    <This>
      <ThisRef>this ref</ThisRef>
    </This>
    <That>
      <ThatRef>that ref</ThatRef>
    </That>
  </Things>
</MyRoot>

不幸的是,XML 节点 Things 可以包含多个 ThisThat 节点,我无法控制 XML 架构。我需要创建将写入正确 XML 的 C# 对象,但我在使用 Things 集合时遇到了问题。

这是我目前的情况:

[XmlRoot("MyRoot", Namespace = XmlNamespace)]
public class MyRoot
{
    public const string XmlNamespace = "http://sample.com";
    public List<MyThing> Things { get; set; }

}
[XmlInclude(typeof(This))]
[XmlInclude(typeof(That))]
public class MyThing
{
}
[XmlRoot(Namespace = MyRoot.XmlNamespace)]
[XmlType("This")]
public class This : MyThing
{
    public string ThisRef { get; set; }
}
[XmlRoot(Namespace = MyRoot.XmlNamespace)]
[XmlType("That")]
public class That : MyThing
{
    public string ThatRef { get; set; }
}
[TestClass]
public class so
{
    [TestMethod]
    public void SerializeTest()
    {
        // Create object to serialize
        var data = new MyRoot { Things = new List<MyThing>() };
        data.Things.Add(new This { ThisRef = "this ref" });
        data.Things.Add(new That { ThatRef = "that ref" });

        // Create XML namespace
        var xmlNamespaces = new XmlSerializerNamespaces();
        xmlNamespaces.Add(string.Empty, MyRoot.XmlNamespace);

        // Write XML
        var serializer = new XmlSerializer(typeof(MyRoot));
        using (var writer = new StringWriter())
        {
            serializer.Serialize(writer, data, xmlNamespaces);
            var xml = writer.ToString();
            Console.WriteLine(xml);
        }
    }
}

生成以下 XML:

<?xml version="1.0" encoding="utf-16"?>
<MyRoot xmlns="http://sample.com">
  <Things>
    <MyThing d3p1:type="This" xmlns:d3p1="http://www.w3.org/2001/XMLSchema-instance">
      <ThisRef>this ref</ThisRef>
    </MyThing>
    <MyThing d3p1:type="That" xmlns:d3p1="http://www.w3.org/2001/XMLSchema-instance">
      <ThatRef>that ref</ThatRef>
    </MyThing>
  </Things>
</MyRoot>

那么,我有两个问题:

  1. 如何让 XmlSerializer 写入 ThisThat 节点而不是 MyThing节点?
  2. 如何阻止 XmlSerializer 向 ThisThat 节点添加额外的命名空间信息(目前写为 MyThing 个节点)?

发布到 Whosebug 后立即找到答案的原因是什么?我只需要执行以下操作:

[XmlRoot("MyRoot", Namespace = XmlNamespace)]
public class MyRoot
{
    public const string XmlNamespace = "http://sample.com";
    [XmlArrayItem(Type = typeof(This))]
    [XmlArrayItem(Type = typeof(That))]
    public List<MyThing> Things { get; set; }
}
public class MyThing
{
}
public class This : MyThing
{
    public string ThisRef { get; set; }
}
public class That : MyThing
{
    public string ThatRef { get; set; }
}