更新:November 2007
有时需要根据元素的位置查找元素。 您可能想查找第二个元素,或者查找第三到第五个元素。
XPath 表达式为:
Test[position() >= 2 and position() <= 4]
有两种方法以迟缓方式编写此 LINQ to XML 查询。 可以使用 Skip<TSource> 和 Take<TSource> 运算符,也可以使用接受索引的 Where 重载。 使用 Where 重载时,要使用 lambda 表达式来获得两个参数。 下面的示例演示了根据位置选择的这两种方法。
示例
本示例查找第二到第四个 Test 元素。 结果是一个元素集合。
本示例使用下面的 XML 文档:示例 XML 文件:测试配置 (LINQ to XML)。
XElement testCfg = XElement.Load("TestConfig.xml");
// LINQ to XML query
IEnumerable<XElement> list1 =
testCfg
.Elements("Test")
.Skip(1)
.Take(3);
// LINQ to XML query
IEnumerable<XElement> list2 =
testCfg
.Elements("Test")
.Where((el, idx) => idx >= 1 && idx <= 3);
// XPath expression
IEnumerable<XElement> list3 =
testCfg.XPathSelectElements("Test[position() >= 2 and position() <= 4]");
if (list1.Count() == list2.Count() &&
list1.Count() == list3.Count() &&
list1.Intersect(list2).Count() == list1.Count() &&
list1.Intersect(list3).Count() == list1.Count())
Console.WriteLine("Results are identical");
else
Console.WriteLine("Results differ");
foreach (XElement el in list1)
Console.WriteLine(el);
Dim testCfg As XElement = XElement.Load("TestConfig.xml")
' LINQ to XML query
Dim list1 As IEnumerable(Of XElement) = _
testCfg.Elements("Test").Skip(1).Take(3)
'LINQ to XML query
Dim list2 As IEnumerable(Of XElement) = _
testCfg.Elements("Test"). _
Where(Function(ByVal el, ByVal idx) idx >= 1 And idx <= 3)
' XPath expression
Dim list3 As IEnumerable(Of XElement) = _
testCfg.XPathSelectElements("Test[position() >= 2 and position() <= 4]")
If list1.Count() = list2.Count() And _
list1.Count() = list3.Count() And _
list1.Intersect(list2).Count() = list1.Count() And _
list1.Intersect(list3).Count() = list1.Count() Then
Console.WriteLine("Results are identical")
Else
Console.WriteLine("Results differ")
End If
For Each el As XElement In list1
Console.WriteLine(el)
Next
本示例生成以下输出:
Results are identical
<Test TestId="0002" TestType="CMD">
<Name>Find succeeding characters</Name>
<CommandLine>Examp2.EXE</CommandLine>
<Input>abc</Input>
<Output>def</Output>
</Test>
<Test TestId="0003" TestType="GUI">
<Name>Convert multiple numbers to strings</Name>
<CommandLine>Examp2.EXE /Verbose</CommandLine>
<Input>123</Input>
<Output>One Two Three</Output>
</Test>
<Test TestId="0004" TestType="GUI">
<Name>Find correlated key</Name>
<CommandLine>Examp3.EXE</CommandLine>
<Input>a1</Input>
<Output>b1</Output>
</Test>