4

我有一个 ID 为“shortblogpost”的 div。我想数到第 27 个单词,然后停止并在末尾添加“...”。

我正在尝试以下代码。问题,它计算字母而不是单词。我认为它使用jQuery而不是限制JavaScript?

我只需要出于各种服务器原因使用 JavaScript

<script type="text/javascript">
var limit        = 100,
    text         = $('div.shortblogpost').text().split(/\s+/),
    word,
    letter_count = 0,
    trunc        = '',
    i            = 0;

while (i < text.length && letter_count < limit) {
  word         = text[i++];
  trunc       += word+' ';
  letter_count = trunc.length-1;

}

trunc = $.trim(trunc)+'...';
console.log(trunc);
</script>

提前请大家帮忙。

4

5 回答 5

8

截断函数。

使用: truncate('这是对这个函数的测试', 2); 回报:这是...

使用: truncate('这是对这个函数的测试', 5, '+++'); 返回:这是一个+++的测试

function truncate (text, limit, append) {
    if (typeof text !== 'string')
        return '';
    if (typeof append == 'undefined')
        append = '...';
    var parts = text.split(' ');
    if (parts.length > limit) {
        // loop backward through the string
        for (var i = parts.length - 1; i > -1; --i) {
            // if i is over limit, drop this word from the array
            if (i+1 > limit) {
                parts.length = i;
            }
        }
        // add the truncate append text
        parts.push(append);
    }
    // join the array back into a string
    return parts.join(' ');
}

编辑: 通过 OP 的参数快速而肮脏地实现:

<script type="text/javascript">
// put truncate function here...

var ele = document.getElementById('shortblogpost');
ele.innerHTML = truncate(ele.innerHTML, 20);
</script>
于 2011-02-10T21:16:43.447 回答
5

这可以在一行代码中完成:

myString.replace(/(([^\s]+\s+){27}).+/, "$1...");

或者,您可以将其设为函数:

function truncateString(s, wordCount)
{
    var expr = new RegExp("(([^\\s]+\\s+){" + wordCount + "}).+");
    return s.replace(expr, "$1...");
}

因此,要使其适用于您的代码,您可以执行以下操作:

var post = $('div.shortblogpost').text();  // get the text
post = postText.replace(/(([^\s]+\s+){27}).+/, "$1...");  // truncate the text
$('div.shortblogpost').text(post);  // update the post with the truncated text
于 2011-02-10T21:18:57.180 回答
1

循环逐字追加,while(有单词&&字母数低于限制)。您唯一需要做的就是将第二个条件替换为“&& 字数低于限制”。

将此伪代码转换为 JS 应该很简单……

于 2011-02-10T21:10:57.970 回答
1

这个怎么样?jsfiddle

html:

<div id='shortblogpost'>test test test test test test test test test test test</div>

javascript:

alert(document.getElementById('shortblogpost').innerHTML);
var numWordToDisplay = 3; //how many words u want to display in your case 27
var newArray = document.getElementById('shortblogpost').innerHTML.split(' ');
if(newArray.length >= numWordToDisplay )
    newArray.length = numWordToDisplay;
console.log(newArray.join(' ') + '...'); //test test test...
于 2011-02-10T21:19:25.487 回答
0

这应该有效:

var words = $('div.shortblogpost').text().replace( /\s/g, ' ' ).split( ' ' );
var result = "";
for( var w = 0 ; w < 27 ; w++ ) {
    if( words[w].length > 0 ) {
        result += words[w] + ' ';
    }
}
result = result.trim() + "...";
于 2011-02-10T21:18:39.310 回答