这是我的XML结构:
<Note Id="2" Category="OFFICE" Date="12/6/2014 12:00:00 AM">
<Hashtag>#hashnotes</Hashtag>
<Hashtag>#hashnotes</Hashtag>
<Hashtag>#good</Hashtag>
<Text>this is #hashnotes app #hashnotes are #good</Text>
</Note>
我在C#中使用LINQ搜索hashtag值的代码如下:
var user = XmlDoc.Element("HashNotes").Elements("Note")
.Where(e => e.Element("Hashtag").Value == hashtag);
但无法在更深的节点中搜索。 你能告诉我如何提取具有相同名称Hashtag的Elements的值吗?
答案 0 :(得分:2)
以下是如何操作的示例:
stirng Xml = @"<Note Id='2' Category='OFFICE' Date='12/6/2014 12:00:00 AM'>
<Hashtag>#hashnotes</Hashtag>
<Hashtag>#hashnotes</Hashtag>
<Hashtag>#good</Hashtag>
<Text>this is #hashnotes app #hashnotes are #good</Text>
</Note>";
string SearchParam = "#hashnotes";
XElement element = XElement.Parse(Xml);
var nodes= element.Descendants("Hashtag").Where(e => e.Value == SearchParam);
如果你想从磁盘上的xml文件那么:
XDocument document = XDocument.Load("FileUri");
var nodes = document.Descendants("Hashtag").Where(e => e.Value == SearchParam);
我将xml作为字符串加载,在您的情况下,它也可以是字符串或xml文件。
答案 1 :(得分:1)
这应该有效: -
XDocument xdoc = XDocument.Load(@"YourXMLPath.xml");
List<string> result = xdoc.Descendants("Note").Elements("Hashtag")
.Where(x => x.Value == hashtag)
.Select(x => x.Value).ToList();
但是,这显然会给出相同值hashtag
的列表,如果您需要完整节点,请不要应用Value
属性。
<强>更新强>
要检索其他值,您可以执行以下操作: -
var result = xdoc.Descendants("Hashtag")
.Where(x => x.Value == hashtag)
.Select(x => new
{
HashTag = x.Value,
Id = x.Parent.Attribute("Id").Value,
Category = x.Parent.Attribute("Category").Value,
Date = x.Parent.Attribute("Date").Value
});
答案 2 :(得分:1)
您当前的代码将返回包含Note
值的#hashtag
元素。
通过添加另一个图层(例如
)进一步优化搜索var list = doc.Element("HashNotes")
.Elements("Note")
.Elements("Hashtag")
.Where(p=>p.Value == "#hashnotes");
现在将返回Hashtag
元素。
//更新
要提取相关的Note元素,您只需调用预期索引的.Parent
属性即可。
int idx_wanted = 0;
return list[idx_wanted].Parent;