如何执行分层LINQ到XML查询
本文关键字:LINQ XML 查询 分层 何执行 执行 | 更新日期: 2023-09-27 18:14:49
我知道我可以迭代地做到这一点,但是在单个LINQ语句中完成它会很酷。
我有一些XML看起来像这样:
<parent name="george">
<child name="steve" age="10" />
<child name="sue" age="3" />
<pet type="dog" />
<child name="jill" age="7" />
</parent>
<!-- ... -->
我想写一个LINQ to XML语句把它变成
<node type="parent" label="george">
<node type="child" label="steve" years="10 />
<node type="child" label="sue" years="3" />
<node type="child" label="jill" years="7" />
<!-- no pets! -->
</parent>
<!-- ... -->
这是可能的在一个单一的LINQ到XML语句?
我之前在LINQ语句中包含了两个from
语句,但没有第二个select
,这似乎是这需要的。
您需要查询所需的元素,并使用查询的项创建新的元素和属性。像这样的代码应该可以工作:
var input = @"<root>
<parent name=""george"">
<child name=""steve"" age=""10"" />
<child name=""sue"" age=""3"" />
<pet type=""dog"" />
<child name=""jill"" age=""7"" />
</parent>
</root>";
var xml = XElement.Parse(input);
var query = from p in xml.Elements("parent")
select new XElement("node",
new XAttribute("type", p.Name),
new XAttribute("label", p.Attribute("name").Value),
from c in p.Elements("child")
select new XElement("node",
new XAttribute("type", c.Name),
new XAttribute("label", c.Attribute("name").Value),
new XAttribute("years", c.Attribute("age").Value)));
又快又脏:
doc.Elements("parent")
.Select(p =>
new XElement("node",
new XAttribute("type", p.Name),
new XAttribute("label", p.Attribute("name") != null ? p.Attribute("name").Value : ""),
p.Elements("child")
.Select(c =>
new XElement("node",
new XAttribute("type", c.Name),
new XAttribute("label", c.Attribute("name") != null ? c.Attribute("name").Value : ""),
new XAttribute("years", c.Attribute("age") != null ? c.Attribute("age").Value : ""))
)
)
);