更改 php DOMElement 的 outerHTML?

Change outerHTML of a php DOMElement?

如何使用 PHP DomDocument class 更改元素的 outerHtml?确保没有使用第三方库,例如 Simple PHP Dom 或 else.

例如: 我想做这样的事情。

$dom = new DOMDocument;
$dom->loadHTML($html);  
$tag = $dom->getElementsByTagName('h3');
foreach ($tag as $e) {
 $e->outerHTML = '<h5>Hello World</h5>';
}

libxml_clear_errors();
$html = $dom->saveHTML();
echo $html;

输出应该是这样的:

Old Output: <h3>Hello World</h3>
But I need this new output: <p>Hello World</p>

您可以在新节点中创建元素内容和属性的副本(使用您需要的新名称),并使用函数replaceChild()

当前代码仅适用于简单元素(节点内的文本),如果您有嵌套元素,则需要编写递归函数。

$dom = new DOMDocument;
$dom->loadHTML($html);  

$titles = $dom->getElementsByTagName('h3');
for($i = $titles->length-1 ; $i >= 0 ; $i--)
{
    $title = $titles->item($i);
    $titleText = $title->textContent ; // get original content of the node

    $newTitle = $dom->createElement('h5'); // create a new node with the correct name
    $newTitle->textContent = $titleText ; // copy the content of the original node

    // copy the attribute (class, style, ...)
    $attributes = $title->attributes ;
    for($j = $attributes->length-1 ; $j>= 0 ; --$j)
    {
        $attributeName = $attributes->item($j)->nodeName ;
        $attributeValue = $attributes->item($j)->nodeValue ;

        $newAttribute = $dom->createAttribute($attributeName);
        $newAttribute->nodeValue = $attributeValue ;

        $newTitle->appendChild($newAttribute);
    }


    $title->parentNode->replaceChild($newTitle, $title); // replace original node per our copy
}


libxml_clear_errors();
$html = $dom->saveHTML();
echo $html;