如何用SimpleXMLElement PHP替换XML节点

时间:2013-07-15 18:24:25

标签: php xml simplexml

我有以下XML(string1):

<?xml version="1.0"?>
<root>
   <map>
      <operationallayers>
         <layer label="Security" type="feature" visible="false" useproxy="true" usePopUp="all" url="http://stackoverflow.com"/>
      </operationallayers>
   </map>
</root>

我有这段XML(string2):

<operationallayers>
    <layer label="Teste1" type="feature" visible="false" useproxy="true" usePopUp="all" url="http://stackoverflow.com"/>
    <layer label="Teste2" type="dynamic" visible="false" useproxy="true" usePopUp="all" url="http://google.com"/>
</operationallayers>

我使用函数simplexml_load_string将两者导入到各自的var:

$xml1 = simplexml_load_string($string1);
$xml2 = simplexml_load_string($string2);

现在,我想为string2的节点'operationallayers'替换string1的节点'operationallayers',但是如何?

类SimpleXMLElement没有像DOM那样的方法'replaceChild'。

1 个答案:

答案 0 :(得分:7)

SimpleXML: append one tree to another中列出的内容类似,您可以将这些节点导入DOMDocument,因为在您撰写时:

  

“类SimpleXMLElement没有类似DOM的方法'replaceChild'。”

因此,当您导入DOM时,可以使用以下内容:

$xml1 = simplexml_load_string($string1);
$xml2 = simplexml_load_string($string2);

$domToChange = dom_import_simplexml($xml1->map->operationallayers);
$domReplace  = dom_import_simplexml($xml2);
$nodeImport  = $domToChange->ownerDocument->importNode($domReplace, TRUE);
$domToChange->parentNode->replaceChild($nodeImport, $domToChange);

echo $xml1->asXML();

它为您提供以下输出(非美化):

<?xml version="1.0"?>
<root>
   <map>
      <operationallayers>
    <layer label="Teste1" type="feature" visible="false" useproxy="true" usePopUp="all" url="http://stackoverflow.com"/>
    <layer label="Teste2" type="dynamic" visible="false" useproxy="true" usePopUp="all" url="http://google.com"/>
</operationallayers>
   </map>
</root>

此外,您可以将此操作添加到SimpleXMLElement中,以便轻松包装。这可以通过从SimpleXMLElement扩展来实现:

/**
 * Class MySimpleXMLElement
 */
class MySimpleXMLElement extends SimpleXMLElement
{
    /**
     * @param SimpleXMLElement $element
     */
    public function replace(SimpleXMLElement $element) {
        $dom     = dom_import_simplexml($this);
        $import  = $dom->ownerDocument->importNode(
            dom_import_simplexml($element),
            TRUE
        );
        $dom->parentNode->replaceChild($import, $dom);
    }
}

用法示例:

$xml1 = simplexml_load_string($string1, 'MySimpleXMLElement');
$xml2 = simplexml_load_string($string2);

$xml1->map->operationallayers->replace($xml2);

相关:In SimpleXML, how can I add an existing SimpleXMLElement as a child element?

上次我在Stackoverflow上扩展的SimpleXMLElement是answer to the "Read and take value of XML attributes" question