PHP DOMDocument,将所有没有节点的元素用p包裹起来
PHP DOMDocument, wrap all elements without node with p
我从 RTE 得到 HTML。之后我使用 DOMDocument Class.
操作它的内容
编辑有时会给我没有节点的文本,例如:
<p>This is some text inside a text-node</p>
This is text without any node and should be wrapped with a text-node
是否可以使用 DOMDocument 用文本节点包装此文本?
我在函数中使用了以下代码:
$dom = new \DOMDocument();
$dom->loadHTML($MY_HTML);
$xpath = new \DOMXPath($dom);
foreach ($xpath->query('//p') as $k => $paragraph) {
$paragraph->setAttribute('class', $paragraph->getAttribute('class') . ' bodytext');
}
$body = $xpath->query('/html/body');
return preg_replace('/^<body>|<\/body>$/', '', $dom->saveXml($body->item(0)));
文本在技术上已经在 "text node" 内,但这将用段落节点包裹所有展开的文本节点:
<?php
$html = <<<'END'
<div>
<p>This is some text inside a text-node</p>
This is text without any node and should be wrapped with a text-node
</div>
END;
$doc = new \DOMDocument();
$doc->loadHTML($html, LIBXML_HTML_NOIMPLIED);
$xpath = new \DOMXPath($doc);
$nodes = $xpath->query('//text()[not(ancestor::p)][normalize-space()]');
foreach ($nodes as $node) {
$p = $doc->createElement('p', htmlspecialchars(trim($node->textContent)));
$node->parentNode->replaceChild($p, $node);
}
print $doc->saveHTML($doc->documentElement);
// <div>
// <p>This is some text inside a text-node</p>
// <p>This is text without any node and should be wrapped with a text-node</p>
// </div>
关键是 select 所有没有 p
祖先的非空文本节点,使用 //text()[not(ancestor::p)][normalize-space()]
XPath 查询。
我从 RTE 得到 HTML。之后我使用 DOMDocument Class.
操作它的内容编辑有时会给我没有节点的文本,例如:
<p>This is some text inside a text-node</p>
This is text without any node and should be wrapped with a text-node
是否可以使用 DOMDocument 用文本节点包装此文本?
我在函数中使用了以下代码:
$dom = new \DOMDocument();
$dom->loadHTML($MY_HTML);
$xpath = new \DOMXPath($dom);
foreach ($xpath->query('//p') as $k => $paragraph) {
$paragraph->setAttribute('class', $paragraph->getAttribute('class') . ' bodytext');
}
$body = $xpath->query('/html/body');
return preg_replace('/^<body>|<\/body>$/', '', $dom->saveXml($body->item(0)));
文本在技术上已经在 "text node" 内,但这将用段落节点包裹所有展开的文本节点:
<?php
$html = <<<'END'
<div>
<p>This is some text inside a text-node</p>
This is text without any node and should be wrapped with a text-node
</div>
END;
$doc = new \DOMDocument();
$doc->loadHTML($html, LIBXML_HTML_NOIMPLIED);
$xpath = new \DOMXPath($doc);
$nodes = $xpath->query('//text()[not(ancestor::p)][normalize-space()]');
foreach ($nodes as $node) {
$p = $doc->createElement('p', htmlspecialchars(trim($node->textContent)));
$node->parentNode->replaceChild($p, $node);
}
print $doc->saveHTML($doc->documentElement);
// <div>
// <p>This is some text inside a text-node</p>
// <p>This is text without any node and should be wrapped with a text-node</p>
// </div>
关键是 select 所有没有 p
祖先的非空文本节点,使用 //text()[not(ancestor::p)][normalize-space()]
XPath 查询。