1

我正在将标题打印到<title>$title</title>. 但我试图用更少的字符打印标题。问题是我有一个 php 代码,可以打印出我选择的字符限制。但它并不能解决完成整个单词。有没有一种功能或方法可以使被字符截断的单词的其余部分打印出来?

现在这是我使用的代码。

$title="Website.com | ". stripslashes($content['text']);
if ($title{70}) {
  $title = substr($title, 0, 69) . '...';
}else{
  $title = $title;
}

所以它会打印出类似的东西Website.com | Here is your sent...

但我希望它打印整个单词的其余部分,例如Website.com | Here is your sentence...

我如何编辑我的代码或者是否有一个函数可以调用单词的其余部分?

4

2 回答 2

3

修剪到最后一个空格

 $title = substr($title, 0, 69) ;
 $title = substr($title, 0, strrpos($title," ")) . '...';

http://php.net/manual/en/function.strrpos.php

于 2012-10-26T02:24:18.613 回答
0
<?php
/**
* trims text to a space then adds ellipses if desired
* @param string $input text to trim
* @param int $length in characters to trim to
* @param bool $ellipses if ellipses (...) are to be added
* @param bool $strip_html if html tags are to be stripped
* @return string 
*/
function trim_text($input, $length, $ellipses = true, $strip_html = true) {
//strip tags, if desired
if ($strip_html) {
    $input = strip_tags($input);
}

//no need to trim, already shorter than trim length
if (strlen($input) <= $length) {
    return $input;
}

//find last space within length
$last_space = strrpos(substr($input, 0, $length), ' ');
$trimmed_text = substr($input, 0, $last_space);

//add ellipses (...)
if ($ellipses) {
    $trimmed_text .= '...';
}

return $trimmed_text;
}
?>
于 2012-10-26T02:23:47.257 回答