在XML文档中注释和取消注释节点

时间:2012-12-20 20:44:22

标签: php xml domdocument

<node1>
    <node2>
         <node3>
         </node3>
         <node3>
         </node3>
         <node3>
         </node3>
    </node2>

    <node2>
         <node3>
         </node3>
         <node3>
         </node3>
         <node3>
         </node3>
    </node2>

    ...
 </node1>

我们说我在XML文档中有这个结构。我希望能够评论节点及其所有内容,并使用PHP 在必要时取消注释。我试图找到一种方法来查看DOMDocument的文档和SimpleXML的文档但没有成功。

编辑:只是为了澄清:我找到了如何评论节点,但没有如何取消注释它。

1 个答案:

答案 0 :(得分:2)

可以使用DOMDocument::createComment()创建评论。用实际节点替换注释就像替换任何其他节点类型一样,使用DOMElement::replaceChild()

$doc = new DOMDocument;
$doc->loadXML('<?xml version="1.0"?>
<example>
    <a>
        <aardvark/>
        <adder/>
        <alligator/>
    </a>
</example>
');

$node = $doc->getElementsByTagName('a')->item(0);

// Comment by making a comment node from target node's outer XML
$comment = $doc->createComment($doc->saveXML($node));
$node->parentNode->replaceChild($comment, $node);
echo $doc->saveXML();

// Uncomment by replacing the comment with a document fragment
$fragment = $doc->createDocumentFragment();
$fragment->appendXML($comment->textContent);
$comment->parentNode->replaceChild($fragment, $comment);
echo $doc->saveXML();

上面的(超简化)示例应该输出如下内容:

<?xml version="1.0"?>
<example>
    <!--<a>
        <aardvark/>
        <adder/>
        <alligator/>
    </a>-->
</example>
<?xml version="1.0"?>
<example>
    <a>
        <aardvark/>
        <adder/>
        <alligator/>
    </a>
</example>

<强>参考