Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SimpleXML: get child nodes

Tags:

php

simplexml

<?xml version="1.0" encoding="utf-8" ?> 
<items>
<aaa>
</aaa>
<aaa>
</aaa>
<aaa>
    <bbb>
    </bbb>
    <bbb>
    </bbb>
    <bbb>
        <ccc>
            Only this childnod what I need
        </ccc>
        <ccc>
            And this one
        </ccc>
    </bbb>
</aaa>
</items>

I want parse the XML as given above with PHP. I don't know how to get these two child nodes.

When I use the code below, it triggers the error: Warning: main() [function.main]: Cannot add element bbb number 2 when only 0 such elements exist in

<?php
header('Content-type:text/html; charset=utf-8');
$xml = simplexml_load_file('2.xml');
    foreach ($xml->aaa[2]->bbb as $bbb){
        echo $bbb[2]->$ccc; // wrong in here
        echo $bbb[3]->$ccc;
    }
?>
like image 503
cj333 Avatar asked Dec 10 '22 07:12

cj333


2 Answers

Use xpath

$ccc = $xml->xpath('aaa/bbb/ccc');
foreach($ccc as $c){
    echo (string)$c."<br/>";
}

Result:

Only this childnod what I need 
And this one 

Also, in your initial attempt, $bbb[3] does not make sense because you have three items only, starting with index 0.

like image 66
brian_d Avatar answered Jan 04 '23 15:01

brian_d


I don't know how to use the return of simplexml, but from what I have seen from your code, this should work:

<?php
header('Content-type:text/html; charset=utf-8');
$xml = simplexml_load_file('2.xml');
echo $xml->aaa[2]->bbb[2]->ccc[0];
echo $xml->aaa[2]->bbb[2]->ccc[1];
?> 
like image 33
Kaken Bok Avatar answered Jan 04 '23 13:01

Kaken Bok