此字符串包含78个带HTML的字符和39个没有HTML的字符:
<p>I really like the <a href="http://google.com">Google</a> search engine.</p>
我想根据非HTML字符数截断此字符串,例如,如果我想将上面的字符串截断为24个字符,则输出为:
I really like the <a href="http://google.com">Google</a>
在确定要切断的字符数时,截断没有考虑到html,它只考虑了剥离的计数。但是,它没有留下开放的HTML标记。
答案 0 :(得分:9)
好吧,这就是我放在一起的东西,它似乎正在起作用:
function truncate_html($string, $length, $postfix = '…', $isHtml = true) {
$string = trim($string);
$postfix = (strlen(strip_tags($string)) > $length) ? $postfix : '';
$i = 0;
$tags = []; // change to array() if php version < 5.4
if($isHtml) {
preg_match_all('/<[^>]+>([^<]*)/', $string, $tagMatches, PREG_OFFSET_CAPTURE | PREG_SET_ORDER);
foreach($tagMatches as $tagMatch) {
if ($tagMatch[0][1] - $i >= $length) {
break;
}
$tag = substr(strtok($tagMatch[0][0], " \t\n\r\0\x0B>"), 1);
if ($tag[0] != '/') {
$tags[] = $tag;
}
elseif (end($tags) == substr($tag, 1)) {
array_pop($tags);
}
$i += $tagMatch[1][1] - $tagMatch[0][1];
}
}
return substr($string, 0, $length = min(strlen($string), $length + $i)) . (count($tags = array_reverse($tags)) ? '</' . implode('></', $tags) . '>' : '') . $postfix;
}
用法:
truncate_html('<p>I really like the <a href="http://google.com">Google</a> search engine.</p>', 24);
该功能被抓取(做了一个小修改):