Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Iterating over nodes using XML::LibXML

I am using XML::LibXML (Ver: 1.70).

My xml input file looks like this:

<?xml version="1.0" encoding="UTF-8"?>
<Equipment xmlns:xsd="http://www.w3.org/2001/XMLSchema"
           xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
  <Equipments>
    <ECID logicalName="SysNameAlpha" id="0"/>
    <ECID logicalName="SysNameBeta" id="1"/>
  </Equipments>
</Equipment>

and my Perl script:

my $file = 'data.xml';
my $parser = XML::LibXML->new();
my $tree = $parser->parse_file($file);
my $root = $tree->getDocumentElement;

foreach my $camelid ($root->findnodes('Equipments')) {
    my $name =  $camelid->findvalue('ECID/@logicalName');
    my $id =  $camelid->findvalue('ECID/@id');
    print $name;
    print " = ";
    print $id;
    print ";\n";
}

The output I get is:

SysNameAlphaSysNameBeta = 01;

But I want output like this:

SysNameAlpha = 0;    
SysNameBeta = 1;

How can I achieve this?

like image 229
Nano HE Avatar asked Dec 16 '22 14:12

Nano HE


1 Answers

There's only one Equipments node, hence you only get one $camelid to scan. To remedy, you might change things slightly, say, to iterate over Equipment/ECIDs:

foreach my $camelid ( $root->findnodes('Equipments/ECID') ) {
    my $name =  $camelid->findvalue('@logicalName');
    my $id =  $camelid->findvalue('@id');
    ...
}
like image 171
martin clayton Avatar answered Dec 28 '22 08:12

martin clayton