我正在获取此rss供稿,并且我正在尝试将rss的数据输入到列表格式,以便我的客户可以搜索数据。
这是适用于此类xml数据的唯一方法:
xmlFile.SelectNodes("//ns:id |//ns:title | //ns:description", xmlnm);
public void MyMain(string[] args)
{
WebRequest request = WebRequest.Create("url to xml file");
WebResponse response = request.GetResponse();
Stream dataStream = response.GetResponseStream();
XmlDocument xmlDocument = new XmlDocument();
xmlDocument.Load(dataStream);
XmlNamespaceManager xmlnm = new XmlNamespaceManager(xmlDocument.NameTable);
xmlnm.AddNamespace("ns", "http://www.w3.org/2005/Atom");
ParseXML(xmlDocument, xmlnm);
MessageBox.Show("\n---XML parsed---");
//Console.ReadKey();
}
public void ParseXML(XmlDocument xmlFile, XmlNamespaceManager xmlnm)
{
//this commented section WORKS FANTASTIC!!
/* XmlNodeList nodes = xmlFile.SelectNodes("//ns:id |//ns:title | //ns:description", xmlnm);;
foreach (XmlNode node in nodes)
{
MessageBox.Show(node.Name + " = " + node.InnerXml);
}
*/
//SO i decided to store the xml data into a list, and nothing works below. I have a created a simple RSSXML class to store the information
XmlNodeList nodes = xmlFile.SelectNodes("//ns:id |//ns:title | //ns:description", xmlnm);
List<RSSXML> items = new List<RSSXML>();
foreach (XmlNode node in nodes)
{
items.Select(x => new RSSXML()
{
id = node.InnerXml,
title = node.InnerXml,
description = node.InnerXml,
//can add more fields here
}).ToList();
}
foreach (var myitems in items)
{
MessageBox.Show(myitems.summary.ToString());
}
}
public class RSSXML()
{
//simple get set methods for id, title, description, etc
}
答案 0 :(得分:2)
items.Select()
生成一个新的List,你没有存储它。
基本修复:
XmlNodeList nodes = xmlFile.SelectNodes("//ns:id |//ns:title | //ns:description", xmlnm);
List<RSSXML> items = new List<RSSXML>();
foreach (XmlNode node in nodes)
{
//items.Select(x => new RSSXML()
items.Add(new RSSXML {
{
id = node.InnerXml,
title = node.InnerXml,
description = node.InnerXml,
//can add more fields here
//}).ToList();
});
}
你可以消除foreach():
XmlNodeList nodes = xmlFile.SelectNodes("//ns:id |//ns:title | //ns:description", xmlnm);
List<RSSXML> items = nodes.Select(n => new RSSXML()
{
id = n.InnerXml,
title = n.InnerXml,
description = n.InnerXml,
//can add more fields here
}).ToList();
您可能希望仅使用.InnerXml
替换.Value
。