Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can I check for the existence of an element with Groovy's XmlSlurper?

I'm trying to determine whether an XML element exists with Groovy's XmlSlurper. Is there a way to do this? For example:

<foo>   <bar/> </foo> 

How do I check whether the bar element exists?

like image 383
Josh Brown Avatar asked Jan 26 '09 16:01

Josh Brown


2 Answers

The API is a little screwy, but I think that there are a couple of better ways to look for children. What you're getting when you ask for "xml.bar" (which exists) or "xml.quux" which doesn't, is a groovy.util.slurpersupport.NodeChildren object. Basically a collection of nodes meeting the criteria that you asked for.

One way to see if a particular node exists is to check for the size of the NodeChildren is the expected size:

def text = "<foo><bar/></foo>" def xml = new XmlSlurper().parseText(text) assert 1 == xml.bar.size() assert 0 == xml.quux.size() 

Another way would be to use the find method and see if the name of the node that gets returned (unfortunately something is always returned), is the one you were expecting:

def text = "<foo><bar/></foo>" def xml = new XmlSlurper().parseText(text) assert ("bar" == xml.children().find( {it.name() == "bar"})?.name()) assert ("quux" != xml.children().find( {it.name() == "quux"})?.name()) 
like image 103
Ted Naleid Avatar answered Sep 24 '22 21:09

Ted Naleid


The isEmpty method on GPathResult works.

def text = "<foo><bar/></foo>" def xml = new XmlSlurper().parseText(text) assert false == xml.bar.isEmpty() 

This bothers me, because the bar element is empty - it doesn't have a body. But I suppose the GPathResult isn't empty, so maybe this makes sense.

like image 44
Josh Brown Avatar answered Sep 20 '22 21:09

Josh Brown