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

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

    ...
 </node1>

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

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

4

1 回答 1

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>

参考

于 2012-12-20T21:08:39.530 回答