如何使用接口类型数组属性序列化对象?

时间:2017-08-24 12:28:35

标签: c# serialization xml-serialization xmlserializer

我有一些XML希望使用XmlSerializer序列化和反序列化。我希望将来能够使用其他串行格式,例如JSON,YAML等,所以我反序列化产生的类应该共享相同的接口。

但是,我的界面包含一个也使用界面的对象数组:

public interface IConfiguration
{
    ICommand[] Commands { get; set; }
}

public Interface ICommand
{
    // Command properties
}

[System.SerializableAttribute()]
public XmlConfiguration : IConfiguration
{
    ICommand[] Commands { get; set; }
}

[System.SerializableAttribute()]
public XmlCommand : ICommand
{
    // Command properties
}

在创建XmlCommand对象时,XML反序列化操作如何知道使用XmlConfiguration具体类型?

在我输入时思考...

我想我可以在XmlConfiguration类中添加一个构造函数来分配具体类型的空数组,但我不确定这是否可以按预期工作?

[System.SerializableAttribute()]
class XmlConfiguration : IConfiguration
{
    public XmlConfiguration()
    {
        Commands = new XmlCommand[] { };
    }
}

更新:我意识到有XmlArrayItemAttribute属性可用,不确定它是否适用于接口:

class XmlConfiguration : IConfiguration
{
    [System.Xml.Serialization.XmlArrayItemAttribute(typeof(XmlCommand))]
    public ICommand[] Commands { get; set; }
}

更新:我可能也会这样做:

class XmlConfiguration : IConfiguration
{
    [System.Xml.Serialization.XmlIgnoreAttribute()]
    public ICommand[] Command
    {
        get => CommandsConcrete;
        set => CommandsConcrete = (XmlCommand[])value;
    }

    [System.Xml.Serialization.XmlElementAttribute(ElementName = "Commands")]
    public XmlCommand[] CommandsConcrete { get; set; }
}

1 个答案:

答案 0 :(得分:1)

要序列化接口属性,一个简单的可能性是使用另一个属性。您仍然需要使用[XmlInclude]序列化程序来了解可能发生的所有类型:

public interface ICommand
{
    string Text { get; set; }
}

public class CommandA : ICommand
{
    public string Text { get; set; }
}

public class CommandB : ICommand
{
    public string Text { get; set; }
}

[XmlInclude(typeof(CommandA))]
[XmlInclude(typeof(CommandB))]
public class Settings
{
    [XmlIgnore]
    public ICommand[] Commands { get; set; }

    [XmlArray(nameof(Commands))]
    public object[] CommandsSerialize
    {
        get { return Commands; }
        set { Commands = value.Cast<ICommand>().ToArray(); }
    }
}

序列化后,这将产生

xmlns:xsd="http://www.w3.org/2001/XMLSchema">
  <Commands>
    <anyType xsi:type="CommandA">
      <Text>a</Text>
    </anyType>
    <anyType xsi:type="CommandB">
      <Text>b</Text>
    </anyType>
  </Commands>
</Settings>