如何用词而不是字母数来截断

时间:2012-10-26 02:18:57

标签: php truncate

我正在将标题打印到<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...

我如何编辑我的代码,或者是否有一个允许调用其余单词的函数?

2 个答案:

答案 0 :(得分:3)

修剪回最后一个空格

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

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

答案 1 :(得分: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;
}
?>