XML用PHP解析(xml parsing with php)

2019-10-30 01:45发布

我想创建一个基于现有的一个新的简化的xml:(使用“的SimpleXML”)

<?xml version="1.0" encoding="UTF-8"?>
<xls:XLS>
   <xls:RouteInstructionsList>
     <xls:RouteInstruction>
       <xls:Instruction>Start</xls:Instruction>
     </xls:RouteInstruction>
   </xls:RouteInstructionsList>
  <xls:RouteInstructionsList>
     <xls:RouteInstruction>
       <xls:Instruction>End</xls:Instruction>
     </xls:RouteInstruction>
   </xls:RouteInstructionsList>
</xls:XLS> 

因为总是在元素标签冒号,它会惹“的SimpleXML”,我试图用以下解决方案- > 链接 。

如何建立这种结构一个新的XML:

<main>
  <instruction>Start</instruction>
  <instruction>End</instruction>
</main>

该“指令元素”会从以前的内容“XLS:指令元素”。

以下是更新后的代码:但不幸的是它从来没有遍历:

$source = "route.xml";
$xmlstr = file_get_contents($source);
$xml = @simplexml_load_string($xmlstr);
$new_xml = simplexml_load_string('<main/>');
foreach($xml->children() as $child){
   print_r("xml_has_childs");
   $new_xml->addChild('instruction', $child->RouteInstruction->Instruction);
}
echo $new_xml->asXML();

没有错误消息,如果我离开了“@” ...

Answer 1:

您可以使用XPath把事情简单化。 不知道完整的细节,我不知道这是否适用于所有情况:

$source = "route.xml";
$xmlstr = file_get_contents($source);
$xml = @simplexml_load_string($xmlstr);
$new_xml = simplexml_load_string('<main/>');
foreach ($xml->xpath('//Instruction') as $instr) {
   $new_xml->addChild('instruction', (string) $instr);
}
echo $new_xml->asXML();

输出:

<?xml version="1.0"?>
<main><instruction>Start</instruction><instruction>End</instruction></main>

编辑:在文件http://www.gps.alaingroeneweg.com/route.xml是不一样的,你在你的问题有XML。 你需要使用一个命名空间,如:

$xml = @simplexml_load_string(file_get_contents('http://www.gps.alaingroeneweg.com/route.xml'));
$xml->registerXPathNamespace('xls', 'http://www.opengis.net/xls'); // probably not needed 
$new_xml = simplexml_load_string('<main/>');
foreach ($xml->xpath('//xls:Instruction') as $instr) {
  $new_xml->addChild('instruction', (string) $instr);
}
echo $new_xml->asXML();

输出:

<?xml version="1.0"?>
<main><instruction>Start (Southeast) auf Sihlquai</instruction><instruction>Fahre rechts</instruction><instruction>Fahre halb links - Ziel erreicht!</instruction></main>


Answer 2:

/* the use of @ is to suppress warning */
$xml = @simplexml_load_string($YOUR_RSS_XML);
$new_xml = simplexml_load_string('<main/>');
foreach ($xml->children() as $child)
{
  $new_xml->addChild('instruction', $child->RouteInstruction->Instruction);
}

/* to print */
echo $new_xml->asXML();


文章来源: xml parsing with php