<Root>
<Sub>
<Name>a</Name>
<Value>1</Value>
</Sub>
<Sub>
<Name>b</Name>
<Value>2</Value>
</Sub>
</Root>
如何根据Value
元素选择元素的值Name
?
编辑:在 XDocument 中,当我有“a”时如何获得值“1”。
我建议您使用转换节点而不是Value
直接访问属性:
int value = xdoc.Descendants("Sub")
.Where(s => (string)s.Element("Name") == "a")
.Select(s => (int)s.Element("Value"))
.FirstOrDefault();
如果缺失节点的默认值(零)不符合您的需要,那么您可以Sub
在获取值之前检查所需元素是否存在:
var sub = xdoc.Descendants("Sub")
.FirstOrDefault(s => (string)s.Element("Name") == "a");
if (sub != null)
value = (int)sub.Element("Value");
或者使用 XPath 和 Linq 进行简单的一行:
int value = (int)xdoc.XPathSelectElement("//Sub[Name='a']/Value");
你可以试试这个,可能有帮助
var results = from row in xdoc.Root.Descendants("Sub")
where row.Element("Name").value ="value"
select new XElement("row", row.Element("Value"));
这应该这样做:
(假设doc
是 的一个实例XDocument
)
string name = "a";
var items = doc.Descendants("Sub")
.Where(s => (string)s.Element("Name") == name)
.Select(s => s.Element("Value").Value);
items
IEnumerable<string>
在这种情况下会导致。
如果你知道你只想要一个值:
string name = "a";
string value = doc.Descendants("Sub")
.Where(s => (string)s.Element("Name") == name)
.Select(s => s.Element("Value").Value)
.FirstOrDefault();