Reputation: 13695
I want to limit my search for a child node to be within the current node I am on. For example, I have the following code:
XmlNodeList myNodes = xmlDoc.DocumentElement.SelectNodes("//Books");
foreach (XmlNode myNode in myNodes)
{
string lastName = "";
XmlNode lastnameNode = myNode.SelectSingleNode("//LastName");
if (lastnameNode != null)
{
lastName = lastnameNode.InnerText;
}
}
I want the LastName element to be searched from within the current myNode inside of the foreach. What is happening is that the found LastName is always from the first node withing myNodes. I don't want to hardcode the exact path for LastName but instead allow it to be flexible as to where inside of myNode it will be found. I would have thought that using SelectSingleNode method on myNode would have limited the search to only be within the xml contents of myNode and not include the parent nodes.
Upvotes: 14
Views: 32830
Reputation: 642
Actually, the problem relates to XPath. XPath syntax // means you select nodes in the document from the current node that match the selection no matter where they are
so all you need is to change it to
myNode.SelectSingleNode(".LastName")
Upvotes: 1
Reputation: 28182
A leading //
always starts at the root of the document; use .//
to start at the current node and search just its descendants:
XmlNode lastnameNode = myNode.SelectSingleNode(".//LastName");
Upvotes: 34