选择XML中的节点

本文关键字:节点 XML 选择 | 更新日期: 2023-09-27 17:50:25

我试图在c#中使用xpath选择节点

这是我的XML文件

<?xml version="1.0" encoding="ISO-8859-1"?>
<rss version="2.0">
    <channel>
        <title>Some other title</title>
        <item>
            <description><![CDATA[<img src="http://www.site.com/image.jps"/><br />]]></description>
        </item>
        <item>
            <title>This title</title>
            <subtitle><subtitle>
            <Date>Fri, 21 Mar 2014 08:30:44 GMT</Date>
            <description>Some description</description>
        </item>
        <item>
            <title>The other title</title>
            <subtitle><subtitle>
            <Date>Fri, 21 Mar 2014 08:30:44 GMT</Date>
            <description>The other description</description>
        </item>
    </channel>
</rss>

这是目前为止我的错误代码:

            // Load the document and set the root element.
            XmlDocument doc = new XmlDocument();
            doc.Load("file.xml");
            // Select nodes
            XmlNode root = doc.DocumentElement;
            XmlNodeList nodeList = root.SelectNodes("/channel/item/");
            foreach (XmlNode xn in nodeList)
            {
                string fieldLine = xn["Title"].InnerText;
                Console.WriteLine("Title: ", fieldLine);
            }

我想从"item"输出"title",像这样:

This title
The other title

如果你知道怎么做请告诉我

选择XML中的节点

我建议您使用Linq to Xml:

var xdoc = XDocument.Load("file.xml");
var titles = from i in xdoc.Root.Element("channel").Elements("item")
             select (string)i.Element("title");

或使用XPath:

var titles = xdoc.XPathSelectElements("rss/channel/item/title")
                 .Select(t => (string)t);

返回带有标题的IEnumerable<string>

foreach (string title in titles)
    Console.WriteLine("Title: {0}", title); // note item placeholder in format

您只是错过了rss根目录的完整路径:

XmlNodeList nodeList = root.SelectNodes("/rss/channel/item[title]/");
foreach(...)

(因为不是所有的<item>都有标题,所以排除那些没有标题的)。另外,请注意xml是区分大小写的:

string fieldLine = xn["title"].InnerText;

请考虑以下几点,您将得到所需的输出。

1)问题的副标题缺少结束标签,请在结束标签

中添加'/'

2)您的代码非常接近正确的代码,请替换为:

        XmlDocument doc = new XmlDocument();
        doc.Load("file.xml");
        XmlNodeList nodeList = doc.SelectNodes("rss/channel/item/title");
        foreach (XmlNode xn in nodeList)
        {
            Console.WriteLine("Title: {0}", xn.InnerText);
        }