Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I resolve the error "Expression must evaluate to a node-set" when checking for the existence of a node?

Tags:

.net

xml

xpath

I'm attempting to check for the existence of a node using the following .NET code:

xmlDocument.SelectSingleNode(
        String.Format("//ErrorTable/ProjectName/text()='{0}'", projectName));

This always raises:

XPathException: Expression must evaluate to a node-set.

Why am I getting this error and how can I resolve it? Thank you.

like image 682
Alex Angas Avatar asked Oct 01 '08 10:10

Alex Angas


3 Answers

The expression given evaluates to a boolean, not a node-set. I assume you want to check whether the ProjectName equals the parametrized text. In this case you need to write

//ErrorTable/ProjectName[text()='{0}']

This gives you a list of all nodes (a nodeset) matching the given condition. This list may be empty, in which case the C#-Expression in your sample will return null.

As an afterthought: You can use the original xpath expression, but not with SelectSingleNode, but with Evaluate, like this:

(bool)xmlDocument.CreateNavigator().Evaluate(String.Format("//ErrorTable/ProjectName/text()='{0}'", projectName));
like image 60
TToni Avatar answered Nov 09 '22 21:11

TToni


Try:

Node node = xmlDocument.SelectSingleNode(String.Format("//ErrorTable/ProjectName = '{0}'", projectName));

if (node != null) {
    // and so on
}

Edit: silly error

like image 34
rjohnston Avatar answered Nov 09 '22 20:11

rjohnston


The XPath expression contained a subtle error. It should have been:

xmlDocument.SelectSingleNode(String.Format("//ErrorTable/ProjectName[text()='{0}']", projectName));

The previous expression was evaluating to a boolean, which explains the exception error. Thanks for the help!

like image 1
Alex Angas Avatar answered Nov 09 '22 20:11

Alex Angas