Подсчет слов в строке


function WordCount(str) {
  var totalSoFar = 0;
  for (var i = 0; i < WordCount.length; i++)
    if (str(i) === " ") { // if a space is found in str
      totalSoFar = +1; // add 1 to total so far
  }
  totalsoFar += 1; // add 1 to totalsoFar to account for extra space since 1 space = 2 words
}

console.log(WordCount("Random String"));

Я думаю, что я получил это довольно хорошо, за исключением того, что я думаю, что if утверждение ошибочно. Как сказать if(str(i) содержит пробел, добавить 1.

Edit:

я узнал (благодаря Blender) , что я могу сделать это с гораздо меньшим количеством кода:

function WordCount(str) { 
  return str.split(" ").length;
}

console.log(WordCount("hello world"));
17 56

17 ответов:

используйте квадратные скобки, а не скобки:

str[i] === " "

или charAt:

str.charAt(i) === " "

вы также можете сделать это с .split():

return str.split(' ').length;

попробовать это, прежде чем изобретать колеса

С подсчитать количество слов в строке с помощью JavaScript

function countWords(str) {
  return str.trim().split(/\s+/).length;
}

от http://www.mediacollege.com/internet/javascript/text/count-words.html

function countWords(s){
    s = s.replace(/(^\s*)|(\s*$)/gi,"");//exclude  start and end white-space
    s = s.replace(/[ ]{2,}/gi," ");//2 or more space to 1
    s = s.replace(/\n /,"\n"); // exclude newline with a start spacing
    return s.split(' ').filter(function(str){return str!="";}).length;
    //return s.split(' ').filter(String).length; - this can also be used
}

С используйте JavaScript для подсчета слов в строке, не используя регулярное выражение - это будет лучший подход

function WordCount(str) {
     return str.split(' ')
            .filter(function(n) { return n != '' })
            .length;
}

Примечания От Автора:

вы можете адаптировать этот скрипт для подсчета слов в любом случае вам нравится. Важная часть -s.split(' ').length - это подсчитывает пространства. Скрипт пытается удалить все лишние пробелы (двойные пробелы и т. д.) перед подсчетом. Если текст содержит два слова без пробела между ними, он будет считать их одним словом, например " первое предложение .Начало следующего предложения".

еще один способ подсчета слов в строке. Этот код подсчитывает слова, которые содержат только буквенно-цифровые символы и "_", "’", "-", "'" чарс.

function countWords(str) {
  var matches = str.match(/[\w\d\’\'-]+/gi);
  return matches ? matches.length : 0;
}

после очистки строки вы можете сопоставить символы без пробелов или границы слов.

вот два простых регулярных выражения для захвата слов в строку:

  • последовательность небелых символов:/\S+/g
  • допустимые символы между границами слов:/\b[a-z\d]+\b/g

в приведенном ниже примере показано, как получить количество слов из строки, используя эти съемки узоры.

/*Redirect console output to HTML.*/document.body.innerHTML='';console.log=function(s){document.body.innerHTML+=s+'\n';};
/*String format.*/String.format||(String.format=function(f){return function(a){return f.replace(/{(\d+)}/g,function(m,n){return"undefined"!=typeof a[n]?a[n]:m})}([].slice.call(arguments,1))});

// ^ IGNORE CODE ABOVE ^
//   =================

// Clean and match sub-strings in a string.
function extractSubstr(str, regexp) {
    return str.replace(/[^\w\s]|_/g, '')
        .replace(/\s+/g, ' ')
        .toLowerCase().match(regexp) || [];
}

// Find words by searching for sequences of non-whitespace characters.
function getWordsByNonWhiteSpace(str) {
    return extractSubstr(str, /\S+/g);
}

// Find words by searching for valid characters between word-boundaries.
function getWordsByWordBoundaries(str) {
    return extractSubstr(str, /\b[a-z\d]+\b/g);
}

// Example of usage.
var edisonQuote = "I have not failed. I've just found 10,000 ways that won't work.";
var words1 = getWordsByNonWhiteSpace(edisonQuote);
var words2 = getWordsByWordBoundaries(edisonQuote);

console.log(String.format('"{0}" - Thomas Edison\n\nWord count via:\n', edisonQuote));
console.log(String.format(' - non-white-space: ({0}) [{1}]', words1.length, words1.join(', ')));
console.log(String.format(' - word-boundaries: ({0}) [{1}]', words2.length, words2.join(', ')));
body { font-family: monospace; white-space: pre; font-size: 11px; }

Поиск Уникальных Слов

вы также можете создать сопоставление слов, чтобы получить уникальные счетчики.

function cleanString(str) {
    return str.replace(/[^\w\s]|_/g, '')
        .replace(/\s+/g, ' ')
        .toLowerCase();
}

function extractSubstr(str, regexp) {
    return cleanString(str).match(regexp) || [];
}

function getWordsByNonWhiteSpace(str) {
    return extractSubstr(str, /\S+/g);
}

function getWordsByWordBoundaries(str) {
    return extractSubstr(str, /\b[a-z\d]+\b/g);
}

function wordMap(str) {
    return getWordsByWordBoundaries(str).reduce(function(map, word) {
        map[word] = (map[word] || 0) + 1;
        return map;
    }, {});
}

function mapToTuples(map) {
    return Object.keys(map).map(function(key) {
        return [ key, map[key] ];
    });
}

function mapToSortedTuples(map, sortFn, sortOrder) {
    return mapToTuples(map).sort(function(a, b) {
        return sortFn.call(undefined, a, b, sortOrder);
    });
}

function countWords(str) {
    return getWordsByWordBoundaries(str).length;
}

function wordFrequency(str) {
    return mapToSortedTuples(wordMap(str), function(a, b, order) {
        if (b[1] > a[1]) {
            return order[1] * -1;
        } else if (a[1] > b[1]) {
            return order[1] * 1;
        } else {
            return order[0] * (a[0] < b[0] ? -1 : (a[0] > b[0] ? 1 : 0));
        }
    }, [1, -1]);
}

function printTuples(tuples) {
    return tuples.map(function(tuple) {
        return padStr(tuple[0], ' ', 12, 1) + ' -> ' + tuple[1];
    }).join('\n');
}

function padStr(str, ch, width, dir) { 
    return (width <= str.length ? str : padStr(dir < 0 ? ch + str : str + ch, ch, width, dir)).substr(0, width);
}

function toTable(data, headers) {
    return $('<table>').append($('<thead>').append($('<tr>').append(headers.map(function(header) {
        return $('<th>').html(header);
    })))).append($('<tbody>').append(data.map(function(row) {
        return $('<tr>').append(row.map(function(cell) {
            return $('<td>').html(cell);
        }));
    })));
}

function addRowsBefore(table, data) {
    table.find('tbody').prepend(data.map(function(row) {
        return $('<tr>').append(row.map(function(cell) {
            return $('<td>').html(cell);
        }));
    }));
    return table;
}

$(function() {
    $('#countWordsBtn').on('click', function(e) {
        var str = $('#wordsTxtAra').val();
        var wordFreq = wordFrequency(str);
        var wordCount = countWords(str);
        var uniqueWords = wordFreq.length;
        var summaryData = [
            [ 'TOTAL', wordCount ],
            [ 'UNIQUE', uniqueWords ]
        ];
        var table = toTable(wordFreq, ['Word', 'Frequency']);
        addRowsBefore(table, summaryData);
        $('#wordFreq').html(table);
    });
});
table {
    border-collapse: collapse;
    table-layout: fixed;
    width: 200px;
    font-family: monospace;
}
thead {
    border-bottom: #000 3px double;;
}
table, td, th {
    border: #000 1px solid;
}
td, th {
    padding: 2px;
    width: 100px;
    overflow: hidden;
}

textarea, input[type="button"], table {
    margin: 4px;
    padding: 2px;
}
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>

<h1>Word Frequency</h1>
<textarea id="wordsTxtAra" cols="60" rows="8">Four score and seven years ago our fathers brought forth on this continent, a new nation, conceived in Liberty, and dedicated to the proposition that all men are created equal.

Now we are engaged in a great civil war, testing whether that nation, or any nation so conceived and so dedicated, can long endure. We are met on a great battle-field of that war. We have come to dedicate a portion of that field, as a final resting place for those who here gave their lives that that nation might live. It is altogether fitting and proper that we should do this.

But, in a larger sense, we can not dedicate -- we can not consecrate -- we can not hallow -- this ground. The brave men, living and dead, who struggled here, have consecrated it, far above our poor power to add or detract. The world will little note, nor long remember what we say here, but it can never forget what they did here. It is for us the living, rather, to be dedicated here to the unfinished work which they who fought here have thus far so nobly advanced. It is rather for us to be here dedicated to the great task remaining before us -- that from these honored dead we take increased devotion to that cause for which they gave the last full measure of devotion -- that we here highly resolve that these dead shall not have died in vain -- that this nation, under God, shall have a new birth of freedom -- and that government of the people, by the people, for the people, shall not perish from the earth.</textarea><br />
<input type="button" id="countWordsBtn" value="Count Words" />
<div id="wordFreq"></div>

Я думаю, что этот метод более, чем вы хотите

var getWordCount = function(v){
    var matches = v.match(/\S+/g) ;
    return matches?matches.length:0;
}

самый простой способ я нашел, чтобы использовать regex с сплит.

var calculate = function() {
  var string = document.getElementById('input').value;
  var length = string.split(/[^\s]+/).length - 1;
  document.getElementById('count').innerHTML = length;
};
<textarea id="input">My super text that does 7 words.</textarea>
<button onclick="calculate()">Calculate</button>
<span id="count">7</span> words

String.prototype.match возвращает массив, затем мы можем проверить длину,

Я нахожу этот метод наиболее описательное

var str = 'one two three four five';

str.match(/\w+/g).length;

ответ, данный @7-isnotbad, очень близок, но не учитывает однословные строки. Вот исправление, которое, похоже, учитывает каждую возможную комбинацию слов, пробелов и новых строк.

function countWords(s){
    s = s.replace(/\n/g,' '); // newlines to space
    s = s.replace(/(^\s*)|(\s*$)/gi,''); // remove spaces from start + end
    s = s.replace(/[ ]{2,}/gi,' '); // 2 or more spaces to 1
    return s.split(' ').length; 
}
function countWords(str) {
    var regEx = /([^\u0000-\u007F]|\w)+/g;  
    return str.match(regEx).length;
}

пояснение:

/([^\u0000-\u007F]|\w) соответствует символам слова-что отлично - > регулярное выражение делает тяжелую работу для нас. (Этот шаблон основан на следующем ответе SO:https://stackoverflow.com/a/35743562/1806956 by @Landeeyo)

+ соответствует всей строке ранее указанных символов слова-поэтому мы в основном группируем символы слов.

/g означает, что он продолжает смотреть до конца.

str.match(regEx) возвращает массив найденных слов - так мы посчитаем его длину.

может быть, есть более эффективный способ сделать это, но это то, что сработало для меня.

function countWords(passedString){
  passedString = passedString.replace(/(^\s*)|(\s*$)/gi, '');
  passedString = passedString.replace(/\s\s+/g, ' '); 
  passedString = passedString.replace(/,/g, ' ');  
  passedString = passedString.replace(/;/g, ' ');
  passedString = passedString.replace(/\//g, ' ');  
  passedString = passedString.replace(/\/g, ' ');  
  passedString = passedString.replace(/{/g, ' ');
  passedString = passedString.replace(/}/g, ' ');
  passedString = passedString.replace(/\n/g, ' ');  
  passedString = passedString.replace(/\./g, ' '); 
  passedString = passedString.replace(/[\{\}]/g, ' ');
  passedString = passedString.replace(/[\(\)]/g, ' ');
  passedString = passedString.replace(/[[\]]/g, ' ');
  passedString = passedString.replace(/[ ]{2,}/gi, ' ');
  var countWordsBySpaces = passedString.split(' ').length; 
  return countWordsBySpaces;

}

его способность распознавать все следующие как отдельные слова:

abc,abc = 2 слова,
abc/abc/abc = 3 слова (работает с прямой и обратной косой чертой),
abc.abc = 2 слова,
abc[abc]abc = 3 слова,
abc;abc = 2 слова,

(некоторые другие предложения, которые я пробовал считать каждый пример выше, как только 1 x слово) это также:

  • игнорирует все начальные и конечные пробелы

  • подсчитывает одну букву, за которой следует новая строка, как слово , которое я нашел некоторые из предложений, приведенных на этой странице, не учитываются, например:
    а
    а
    а
    а
    а
    иногда подсчитывается как 0 x слов, а другие функции считают его только как 1 x слово, а не 5 x слова)

если у кого - то есть идеи о том, как его улучшить, или чище / эффективнее-тогда, пожалуйста, добавьте вам 2 цента! Надеюсь, это кому-то поможет.

let leng = yourString.split(' ').filter(a => a.trim().length > 0).length
<textarea name="myMessage" onkeyup="wordcount(this.value)"></textarea>
<script type="text/javascript">
var cnt;
function wordcount(count) {
var words = count.split(/\s/);
cnt = words.length;
var ele = document.getElementById('w_count');
ele.value = cnt;
}
document.write("<input type=text id=w_count size=4 readonly>");
</script>

Я знаю его поздно, но это регулярное выражение должно решить вашу проблему. Это будет соответствовать и возвращать количество слов в строке. Вместо того, чтобы тот, который вы отметили как решение, которое будет считать пространство-пространство-слово как 2 слова, хотя на самом деле это всего лишь 1 слово.

function countWords(str) {
    var matches = str.match(/\S+/g);
    return matches ? matches.length : 0;
}

У вас есть некоторые ошибки в коде.

function WordCount(str) {
    var totalSoFar = 0;
    for (var i = 0; i < str.length; i++) {
        if (str[i] === " ") {
            totalSoFar += 1;
        }
    }
    return totalSoFar + 1; // you need to return something.
}
console.log(WordCount("Random String"));

есть еще один простой способ использования регулярных выражений:

(text.split(/\b/).length - 1) / 2

точное значение может отличаться примерно на 1 слово, но оно также подсчитывает границы слов без пробела, например "word-word.слово." И он не считает слова, которые не содержат букв или цифр.

вот функция, которая подсчитывает количество слов в HTML-код:

$(this).val()
    .replace(/((&nbsp;)|(<[^>]*>))+/g, '') // remove html spaces and tags
    .replace(/\s+/g, ' ') // merge multiple spaces into one
    .trim() // trim ending and beginning spaces (yes, this is needed)
    .match(/\s/g) // find all spaces by regex
    .length // get amount of matches
function totalWordCount() {
  var str ="My life is happy"
  var totalSoFar = 0;

  for (var i = 0; i < str.length; i++)
    if (str[i] === " ") { 
     totalSoFar = totalSoFar+1;
  }
  totalSoFar = totalSoFar+ 1; 
  return totalSoFar
}

console.log(totalWordCount());

Я не уверен, если это было сказано ранее, или если это то, что нужно здесь, но не могли бы вы сделать строку в массив, а затем найти длину?

let randomString = "Random String";

let stringWords = randomString.split(' ');
console.log(stringWords.length);