读取反序列化的xml文件 - 具有一个值的数组的类

时间:2014-12-12 22:54:29

标签: c# .net xml xml-deserialization

我需要创建/读取xml文件。我有一个.xsd文件,并生成.cs类。序列化和反序列化工作。当我创建文件时,我只需向Items数组添加值并输入ItemsElementName数组。

问题在于阅读。在类中没有Date,Header等属性,但是只有一个数组用于存储对象,第二个数组用于存储类型。

通常,当我需要读取一个xml文件时,我反序列化它并获得一个包含对象的实例,但在这种情况下它并不那么简单。我只有一个数组充满了值,很难得到我需要的值。

public partial class Invoice
{

    private object[] itemsField;

    public Invoice()
    {
    }

    /// <remarks/>
    [System.Xml.Serialization.XmlElementAttribute("Dates", typeof(Dates))]
    [System.Xml.Serialization.XmlElementAttribute("Header", typeof(Header))]
    [System.Xml.Serialization.XmlElementAttribute("CompanyData", typeof(CompanyData))]
    [System.Xml.Serialization.XmlElementAttribute("TextDescription", typeof(TextDescription))]
    [System.Xml.Serialization.XmlElementAttribute("InvoiceItems", typeof(InvoiceItems))]
    [System.Xml.Serialization.XmlChoiceIdentifierAttribute("ItemsElementName")]
    public object[] Items
    {
        get
        {
            return this.itemsField;
        }
        set
        {
            this.itemsField = value;
        }
    }

    [System.Xml.Serialization.XmlElementAttribute("ItemsElementName")]
    [System.Xml.Serialization.XmlIgnoreAttribute()]
    public ItemsChoiceType1[] ItemsElementName
    {
        get
        {
            return this.itemsElementNameField;
        }
        set
        {
            this.itemsElementNameField = value;
        }
    }

// etc ...
}

类标题再次有一个值数组,第二个类型(类型可以是字符串,用户定义类似于InvoiceType ...)。

目前,我尝试了两种解决方案。首先,我反序列化了xml文件并迭代了Items数组。但这并不是那么简单,因为在一个数组中我有值,第二个是类型。

第二,我远离反序列化并使用XDocument并获得了我需要的值。

有没有更好的解决方案?

1 个答案:

答案 0 :(得分:2)

您可以手动定义类,例如

public partial class Invoice
{
    public Invoice()
    {
    }

    [XmlElement("Dates")]
    public List<Dates> Dates { get; set; }

    // and so on.
}

这真的不是那么困难,几分钟就完成了,XmlSerializer可以更方便地对它们进行反序列化。

或者,您可以使用Lambda表达式+扩展方法来选择所需的信息,例如:

public static class InvoiceExtensions
{
    public static IEnumerable<Dates> Dates(this Invoice invoice)
    {
        return invoice.Items.OfType<Dates>();
    }
}

Items表中的对象实际上是预期的类型,您只需将它们过滤掉即可。您真正需要使用ItemsElementName的唯一时间是当不同的选择(即不同的XML元素名称)映射到相同的数据类型时,您需要知道哪个是哪个。在这种情况下,您可以使用Enumerable.Zip将它们组合在一起:

public static class InvoiceExtensions
{
    public static IEnumerable<KeyValuePair<ItemsChoiceType1, object>> ElementNamesAndItems<T>(this Invoice invoice)
    {
        return invoice.ItemsElementName.Zip(invoice.Items, (choice, item) => new KeyValuePair<ItemsChoiceType1, object>(choice, item)).Where(p => p.Value is T);
    }
}

然后过滤它们:

var relevantDates = invoice.ElementNamesAndItems<Dates>().Where(p => p.Key == ItemsChoiceType1.StartDate).Select(p => p.Value);

在您的情况下,这可能不是必需的,因为看起来您的每个选项都对应于不同的类。