PHP DOM 用新元素替换元素

2022-08-30 15:18:04

我有一个带有加载HTML标记的DOM对象。我正在尝试替换所有如下所示的嵌入标记:

<embed allowfullscreen="true" height="200" src="path/to/video/1.flv" width="320"></embed>

使用如下标记:

<a 
href="path/to/video/1.flv" 
style="display:block;width:320px;height:200px;" 
id="player">
</a>

我在弄清楚这一点时遇到了麻烦,我不想为此使用正则表达式。你能帮帮我吗?

编辑:

这是我到目前为止所拥有的:

         // DOM initialized above, not important
            foreach ($dom->getElementsByTagName('embed') as $e) {
                $path = $e->getAttribute('src');
          $width = $e->getAttribute('width') . 'px';
          $height = $e->getAttribute('height') . 'px';
          $a = $dom->createElement('a', '');
          $a->setAttribute('href', $path);
          $a->setAttribute('style', "display:block;width:$width;height:$height;");
          $a->setAttribute('id', 'player');
          $dom->replaceChild($e, $a); // this line doesn't work
      }

答案 1

使用 从 DOM 中查找元素很容易。事实上,你不会想为此接近正则表达式。getElementsByTagName

如果你正在谈论的DOM是一个PHP,你会做这样的事情:DOMDocument

$embeds= $document->getElementsByTagName('embed');
foreach ($embeds as $embed) {
    $src= $embed->getAttribute('src');
    $width= $embed->getAttribute('width');
    $height= $embed->getAttribute('height');

    $link= $document->createElement('a');
    $link->setAttribute('class', 'player');
    $link->setAttribute('href', $src);
    $link->setAttribute('style', "display: block; width: {$width}px; height: {$height}px;");

    $embed->parentNode->replaceChild($link, $embed);
}

编辑重新编辑:

$dom->replaceChild($e, $a); // this line doesn't work

yes, 将要替换的新元素作为第一个参数,将要替换的子元素作为第二个参数。这不是您可能期望的方式,但它与所有其他DOM方法一致。此外,它是要替换的子节点的父节点的方法。replaceChild

(我没有使用,因为您不能在同一页面上同时调用多个元素。classidid="player"


答案 2

推荐