我想在文本中找到某些单词/字符串,如链接。我有一段来自php.bet的代码可以做到这一点,但它也会从<a href="http://www.domain.com/index.php" title="Home">go to homepage</a>
中删除标签的开头和结尾。你能帮忙解决这个问题吗?
这是一段代码:
<?php
$str_in = '<p>Hi there worm! You have a disease!</p><a href="http://www.domain.com/index.php" title="Home">go to homepage</a>';
$replaces= array(
'worm' => 'http://www.domain.com/index.php/worm.html',
'disease' => 'http://www.domain.com/index.php/disease.html'
);
function addLinks($str_in, $replaces)
{
$str_out = '';
$tok = strtok($str_in, '<>');
$must_replace = (substr($str_in, 0, 1) !== '<');
while ($tok !== false) {
if ($must_replace) {
foreach ($replaces as $tag => $href) {
if (preg_match('/\b' . $tag . '\b/i', $tok)) {
$tok = preg_replace(
'/\b(' . $tag . ')\b/i',
'<a title="' . $tag . '" href="' . $href . '">\1</a>',
$tok,
1);
unset($replaces[$tag]);
}
}
} else {
$tok = "<$tok>";
}
$str_out .= $tok;
$tok = strtok('<>');
$must_replace = !$must_replace;
}
return $str_out;
}
echo addLinks($str_in, $replaces);
结果是:
你好蠕虫!你有病!
a href =“http://www.domain.com/index.php”title =“Home”/ a
“蠕虫”和“疾病”这些词被转化为所需的链接,但其余的......
非常感谢!
答案 0 :(得分:1)
这两个函数应该可以执行您想要的而不会出现使用正则表达式或str_replace
解析HTML时出现的问题。
function process($node, $replaceRules)
{
if($node->hasChildNodes()) {
$nodes = array();
foreach ($node->childNodes as $childNode) {
$nodes[] = $childNode;
}
foreach ($nodes as $childNode) {
if ($childNode instanceof DOMText) {
$text = preg_replace(
array_keys($replaceRules),
array_values($replaceRules),
$childNode->wholeText);
$node->replaceChild(new DOMText($text),$childNode);
}
else {
process($childNode, $replaceRules);
}
}
}
}
function addLinks($str_in, $replaces)
{
$replaceRules = array();
foreach($replaces as $k=>$v) {
$k = '/\b(' . $k . ')\b/i';
$v = '<a href="' . $v . '">$1</a>';
$replaceRules[$k] = $v;
}
$doc = new DOMDocument;
$doc->loadHTML($str_in);
process($doc->documentElement, $replaceRules);
return html_entity_decode($doc->saveHTML());
}
注意:强> 如果HTML结构不合理,则无需担心(如示例所示);但是,输出结构良好。
信用到期日:
递归process()
函数完成了大部分实际工作,来自LukášLalinský对How to replace text in HTML的回答。 addLinks()
函数只是一个适合您问题的用例。
答案 1 :(得分:0)
不确定为什么你有这么大的结构,比如:
$str_out = preg_replace('/(' . preg_quote(implode('|', array_keys($replaces))) . ')/', $replaces[$1], $str_in);
会完成同样的事情。当然,使用正则表达式处理HTML是hazardous process。您应该使用带有一些xpath的DOM来更可靠地执行此操作。