这是我在模板中用于单词修剪的功能
<?php
/**
* Trim a string to a given number of words
*
* @param $string
* the original string
* @param $count
* the word count
* @param $ellipsis
* TRUE to add "..."
* or use a string to define other character
* @param $node
* provide the node and we'll set the $node->
*
* @return
* trimmed string with ellipsis added if it was truncated
*/
function word_trim($string, $count, $ellipsis = FALSE){
$words = explode(' ', $string);
if (count($words) > $count){
array_splice($words, $count);
$string = implode(' ', $words);
if (is_string($ellipsis)){
$string .= $ellipsis;
}
elseif ($ellipsis){
$string .= '…';
}
}
return $string;
}
?>
在页面本身看起来像这个
<?php echo word_trim(get_the_excerpt(), 12, ''); ?>
我想知道,有没有办法可以修改该功能来修剪字符数而不是字数?因为有时当有较长的单词时,它们都会被偏移并且不对齐。
谢谢
答案 0 :(得分:1)
看看函数的逻辑: 它将字符串拆分为空格,对结果数组进行计数和切片并将它们放回原位 现在,空格是单词的分隔符...我们需要将字符串拆分为什么字符串来获取所有字符而不是单词?没错(更好的说法:空字符串)!
所以你改变了这两行
function word_trim($string, $count, $ellipsis = FALSE){
$words = explode(' ', $string);
if (count($words) > $count){
//...
$string = implode(' ', $words);
}
//...
}
到
$words = str_split($string);
//...
$string = implode('', $words);
你应该没事。
注意我更改了第一个explode
- 调用str_split
,因为explode
不接受空分隔符(根据manual)
我将函数重命名为character_trim
或其他内容,也许还有$word
变量,因此您的代码对读者有意义。