我是XDocument和LINQ的新手。这是我想要做的:
XML文件:
<?xml version="1.0" encoding="utf-8"?>
<root>
<chapters total-chapters="3">
<Chapter chapter-no="1">
<chapter-summary>this is chapter 1</chapter-summary>
</Chapter>
<Chapter chapter-no="2">
<chapter-summary>this is chapter 2</chapter-summary>
</Chapter>
<Chapter chapter-no="3">
<chapter-summary>this is chapter 3</chapter-summary>
</Chapter>
<Chapter chapter-no="4">
<chapter-summary>this is chapter 4</chapter-summary>
</Chapter>
</chapters>
</root>
现在我需要阅读具有特定章节的所有记录 - 否。我正在编写LINQ查询:
IEnumerable<XElement> elem_list =
from e in xdoc.Elements("Chapter")
where (string) e.Attribute("chapter-no") == "1"
select e;
foreach (XElement e in elem_list)
{
Console.WriteLine(e);
}
但是elem_list没有填充,也没有显示任何内容。
答案 0 :(得分:2)
.Elements("Chapter")
仅在当前元素的直接子元素内搜索(xdoc
的根)。
您可以使用.Descendants("Chapter")
:
IEnumerable<XElement> elem_list = from e in xdoc.Descendants("Chapter")
where (string) e.Attribute("chapter-no") == "1"
select e;
或指定完整项目路径:
IEnumerable<XElement> elem_list = from e in xdoc.Root.Element("chapters").Elements("Chapter")
where (string) e.Attribute("chapter-no") == "1"
select e;
另一种方法 - 使用XPath
选择器:
xdoc.XPathSelectElements("root/chapters/Chapter[@chapter-no=1]");
using System.Xml.XPath;
是使最后一个样本有效的必要条件。
答案 1 :(得分:0)
您可以执行以下操作:
IEnumerable<XElement> elem_list =
xdoc.Descendants("Chapter")
.Where (c => c.Attribute("chapter-no").Value.Equals("1"));