我真的不想寻求帮助,因为我知道我最终会弄清楚,但是我花了太多时间,如果文件有父标签或更好的结构,它将是一块蛋糕。可悲的是我正在下载文档,而我却无法弄清楚如何获取数据。
我尝试了一些使用XElement作为迭代器的linq查询和foreach。无论如何这里是结构的一个例子。
<ResultSet xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns="urn:yahoo:srch" xsi:schemaLocation="urn:yahoo:srch http://api.search.yahoo.com/SiteExplorerService/V1/InlinkDataResponse.xsd" totalResultsAvailable="247930100" firstResultPosition="99" totalResultsReturned="100">
<Result>
<Title>Adobe - Adobe Reader</Title>
<Url>http://get.adobe.com/fr/reader/</Url>
<ClickUrl>http://get.adobe.com/fr/reader/</ClickUrl>
</Result>
<Result>
<Title>Religious Tolerance</Title>
<Url>http://www.religioustolerance.org/</Url>
<ClickUrl>http://www.religioustolerance.org/</ClickUrl>
</Result>
<Result>
<Title>Applications Internet riches (RIA) | Adobe Flash Player</Title>
<Url>http://www.adobe.com/fr/products/flashplayer/</Url>
<ClickUrl>http://www.adobe.com/fr/products/flashplayer/</ClickUrl>
</Result>
<Result>
<Title>photo management software | Adobe Photoshop Lightroom 3</Title>
<Url>http://www.adobe.com/products/photoshoplightroom/</Url>
<ClickUrl>http://www.adobe.com/products/photoshoplightroom/</ClickUrl>
</Result>
<Result>
<Title>Battle for Wesnoth</Title>
<Url>http://www.wesnoth.org/</Url>
<ClickUrl>http://www.wesnoth.org/</ClickUrl>
</Result>
</ResultSet>
以下是最新代码段的示例。
foreach (XElement ele in xDoc.Descendants("ResultSet").Elements("Result"))
{
CollectedUris.Add(ele.Element("Url").Value);
}
答案 0 :(得分:8)
您需要添加XNamespace
:
XNamespace ns = "urn:yahoo:srch";
var query = xDoc.Root.Descendants( ns + "Result" ).Elements( ns + "Url" )
foreach( XElement e in query )
{
CollectedUris.Add( e.Value );
}
修改强>:
LINQ奖励积分解决方案:
xDoc.Root.Descendants( ns + "Result" )
.Elements( ns + "Url" )
.Select( x => x.Value ).ToList()
.ForEach( CollectedUris.Add );
答案 1 :(得分:2)
我假设你想要文件中的所有 <Url>
元素。如果是这种情况,那么你的循环几乎就在那里。您需要执行以下操作。
using System.Xml.Linq;
foreach (XElement ele in xDoc.Root.Descendants("Result").Descendants("Url")
{
CollectedUris.Add(ele.Value);
}
Root
为您提供对根元素的引用,以下Descendants
语句仅返回<Result>
个节点。最后一个Descendants
语句进一步限制<Result>
节点枚举器仅返回<Url>
个元素。