XML::LibXML replace element value

Greg Dan picture Greg Dan · Dec 7, 2011 · Viewed 11.4k times · Source

I want to replace a "VAL1" value of an element in xml file

For some reason it does not work for me:

   <testing>
<application_name>TEST</application_name>
<application_id>VAL1</application_id>
<application_password>1234</application_password>
   </testing>

my $parser =XML::LibXML->new();
$tree   =$parser->parse_file($xml);
$root   =$tree->getDocumentElement;
my ($elem)=$root->findnodes('/testing/application_id');
$elem->setValue('VAL2');    

The errror is get is "Can't locate object method "setValue" via package "XML::LibXML::Element..."

Answer

ikegami picture ikegami · Dec 7, 2011

Where did you get setValue from? No XML::LibXML object has such a method.

Furthermore, an element doesn't have a value, so you definitely cannot set it.

"VAL1" is the value of the the element's child node, a text node.

my ($application_id_text) = $root->findnodes('/testing/application_id/text()');
$application_id_text->setData('VAL2');

Unfortunately, that's not completely safe. What if the element has multiple text child nodes? What if it doesn't have any at all?

The safer way is to grab the element, delete all of its children that are text nodes (which can easily done by removing all of its child nodes), and add a new text node with the desired value.

my ($application_id_node) = $root->findnodes('/testing/application_id');
$application_id_node->removeChildNodes();
$application_id_node->appendText('VAL2');