2

我正在尝试开发一个 Windows phone 8 应用程序(我是 wp8 dev 的新手)。

我有一个如下所示的 XML 文件:


<?xml version="1.0" ?> 
<root>
   <quotes>
      <quote>
         <author></author>
         <text></text>
         <text></text>
         <text></text>
      </quote>
   </quotes>
</root>

这是我的报价课:

[XmlRoot("root")]
public class Quotes
{
   [XmlArray("quotes")]
   [XmlArrayItem("quote")]
   public ObservableCollection<Quote> Collection { get; set; }
}

这是报价类:

public class Quote
{
   [XmlElement("author")]
   public string author { get; set; }

   [XmlElement("text")]
   public string text { get; set; }
}

然后我使用这段代码来反序列化它:

XmlSerializer serializer = new XmlSerializer(typeof(Quotes));
XDocument document = XDocument.Parse(e.Result);
Quotes quotes = (Quotes) serializer.Deserialize(document.CreateReader());
quotesList.ItemsSource = quotes.Collection;

// selected Quote
        Quote quote;

        public QuotePage()
        {
            InitializeComponent();

            // get selected quote from App Class
            var app = App.Current as App;
            quote = app.selectedQuote;

            // show quote details in page
            author.Text = quote.author;
            text.Text = quote.text;

        }  

这在具有这种结构的每个提要中都可以正常工作<text>。但我有很多饲料<text>

如果我使用上面的 C# 代码,则只<text>解析第一部分,忽略其他部分。我需要为<text>单个 XML 提要中的每个部分创建单独的 List 或 ObservableCollection。

4

1 回答 1

1

将您的课程更改Quote为包含List<string> text而不是string text

public class Quote
{
    [XmlElement("author")]
    public string author { get; set; }

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

更新

由于您的应用程序和当前类成员中的现有功能,Quote我将离开序列化并使用 LINQ to XML 将数据从 XML 加载到Quotes类实例中:

XDocument document = XDocument.Parse(e.Result);
Quotes quotes = new Quotes() {
    Collection = document.Root
                         .Element("quotes")
                         .Elements("quote")
                         .Select(q => new {
                             xml = q,
                             Author = (string) q.Element("author")
                         })
                         .SelectMany(q => q.xml.Elements("text")
                                           .Select(t => new Quote() {
                                                author = q.Author,
                                                text = (string)t
                                            }))
                         .ToList()
};

我已经使用以下QuotesQuote类声明对其进行了测试:

public class Quotes
{
    public List<Quote> Collection { get; set; }
}

public class Quote
{
    public string author { get; set; }

    public string text { get; set; }
}

不再需要属性,因为此方法不使用 XmlSerialization。

于 2013-03-18T16:24:31.323 回答