やあみんな、私はいくつかのxmlを解析したいのですが、1つの要素から同じタグを取得する方法がわかりません。
これを解析したい:
<profile>
<name>john</name>
<lang>english</lang>
<lang>dutch</lang>
</profile>
だから私はジョンが話す言語を解析したいと思います。どうやってやるの ?
$profile->lang[0]
$profile->lang[1]
foreach
SimpleXMLを使用して要素ノードをプルした後、次のように要素ノードに対してループを実行できます。
$xml_profiles = simplexml_load_file($file_profiles);
foreach($xml_profiles->profile as $profile)
{ //-- first foreach pulls out each profile node
foreach($profile->lang as $lang_spoken)
{ //-- will pull out each lang node into a variable called $lang_spoken
echo $lang_spoken;
}
}
lang
これには、プロファイル要素ごとに持っている、または持っていない要素をいくつでも処理できるという利点があります。
重複するXMLノードは配列のように動作すると考えてください。
他の人が指摘しているように、ブラケット構文で子ノードにアクセスできます
myXML->childNode[childIndex]
ちなみに、これはRSSフィードの仕組みです。あなたは複数に気付くでしょう
<item>
</item>
<item>
</item>
<item>
</item>
RSSXMLのタグ内のタグ。RSSリーダーは、リストを要素の配列として扱うことにより、この問題に毎日対処します。
ループすることができます。
XPathを使用して、次のような特定の要素の配列を収集することもできます。
$xProfile = simplexml_load_string("<profile>...</profile>");
$sName = 'john';
$aLang = $xProfile->xpath("/profile/name[text()='".$sName."']/lang");
// Now $aLang will be an array of lang *nodes* (2 for John). Because they
// are nodes you can still do SimpleXML "stuff" with them i.e.
// $aLang[0]->attributes(); --which is an empty object
// or even
$sPerson = (string)$aLang[0]->xpath('preceding-sibling::name');
// of course you already know this... but this was just to show what you can do
// with the SimpleXml node.