好的,我有以下格式的基本XML:
<application>
<authentication>
<id>26</id>
<key>gabe</key>
</authentication>
<home>
<address>443 Pacific Avenue</address>
<city>North Las Vegas</city>
<state>NV</state>
<zip>89084</zip>
</home>
</application>
我使用simplexml_load_string()将上述XML加载到变量中,如下所示:
$xml = simplexml_load_string($xml_string);
我想要提取出第二个节点的名称/值对,例如,我想忽略<authentication>
和<home>
个节点。我只对这些第一级节点内的子节点感兴趣:
所以我正在寻找一个foreach循环,它将提取出上述6个名称/值对但忽略“低级”名称/值对。以下代码仅打印<authentication>
和<home>
节点的名称/值对(我想忽略):
foreach($xml->children() as $value) {
$name = chop($value->getName());
print "$name = $value";
}
有人可以帮我解决上面提到的6个节点的 ONLY 名称/值对的代码吗?
答案 0 :(得分:0)
您可以使用xpath: http://php.net/manual/en/simplexmlelement.xpath.php
使用路径
/application/*/*
您将获得所有二级元素。
编辑:
$string = <<<XML
<application>
<authentication>
<id>26</id>
<key>gabe</key>
</authentication>
<home>
<address>443 Pacific Avenue</address>
<city>North Las Vegas</city>
<state>NV</state>
<zip>89084</zip>
</home>
</application>
XML;
$xml = new SimpleXMLElement($string);
foreach($xml->xpath('/application/*/*') as $node){
echo "{$node->getName()}: $node,\n";
}
答案 1 :(得分:0)
好的,所以我回顾了你的建议(Oliver A.),并提出了以下代码:
$string = <<<XML
<application>
<authentication>
<id>26</id>
<key>gabe</key>
</authentication>
<home>
<address>443 Pacific Avenue</address>
<city>North Las Vegas</city>
<state>NV</state>
<zip>89084</zip>
</home>
</application>
XML;
$xml = new SimpleXMLElement($string);
/* Search for <a><b><c> */
$result = $xml->xpath('/application/*/*');
while(list( , $node) = each($result)) {
echo '/application/*/*: ',$node,"\n";
}
返回以下内容:
/application/*/*: 26
/application/*/*: gabe
/application/*/*: 443 Pacific Avenue
/application/*/*: North Las Vegas
/application/*/*: NV
/application/*/*: 89084
这是进步,因为我现在只有第二级元素的值。大!问题是我需要为名称和值对分配变量名称。好像我无法提取出每个二级节点的名称。我错过了什么吗?