Як я можу порахувати, скільки разів певна рядок виникає в іншому рядку. Наприклад, це те, що я намагаюся зробити в Javascript:
var temp = "This is a string.";
alert(temp.count("is")); //should output '2'
Як я можу порахувати, скільки разів певна рядок виникає в іншому рядку. Наприклад, це те, що я намагаюся зробити в Javascript:
var temp = "This is a string.";
alert(temp.count("is")); //should output '2'
Відповіді:
У g
регулярному виразі (короткий для глобального ) сказано, щоб шукати весь рядок, а не просто знаходити перше явище. Це збігається is
двічі:
var temp = "This is a string.";
var count = (temp.match(/is/g) || []).length;
console.log(count);
І якщо немає відповідностей, він повертається 0
:
var temp = "Hello World!";
var count = (temp.match(/is/g) || []).length;
console.log(count);
count = (str.match(/is/g) || []).length
цим, якщо у вас немає відповідності.
RegExp
конструктора і передаючи шукану рядок, але в цьому випадку вам доведеться уникати всіх метахарактерів. У такому сценарії кращим є струнний підхід.
/** Function that count occurrences of a substring in a string;
* @param {String} string The string
* @param {String} subString The sub string to search for
* @param {Boolean} [allowOverlapping] Optional. (Default:false)
*
* @author Vitim.us https://gist.github.com/victornpb/7736865
* @see Unit Test https://jsfiddle.net/Victornpb/5axuh96u/
* @see http://stackoverflow.com/questions/4009756/how-to-count-string-occurrence-in-string/7924240#7924240
*/
function occurrences(string, subString, allowOverlapping) {
string += "";
subString += "";
if (subString.length <= 0) return (string.length + 1);
var n = 0,
pos = 0,
step = allowOverlapping ? 1 : subString.length;
while (true) {
pos = string.indexOf(subString, pos);
if (pos >= 0) {
++n;
pos += step;
} else break;
}
return n;
}
occurrences("foofoofoo", "bar"); //0
occurrences("foofoofoo", "foo"); //3
occurrences("foofoofoo", "foofoo"); //1
occurrences("foofoofoo", "foofoo", true); //2
Матчі:
foofoofoo
1 `----´
2 `----´
СутьЯ зробив контрольний тест, і моя функція більш ніж в 10 разів швидша, ніж функція відповідності регулярного вирівнювання, розміщена gumbo. У моєму тестовому рядку довжина 25 символів. з двома випадками символу «о». Я стратив 1 000 000 разів у Safari.
Сафарі 5.1
Тест> Загальний час виконання: 5617 мс (regexp)
Тест> Загальний час виконання: 881 мс (моя функція на 6,4 рази швидша)
Firefox 4
Тест> Загальний час виконання: 8547 мс (Rexexp)
Тест> Загальний час виконання: 634 мс (моя функція на 13,5 разів швидше)
Редагувати: зміни, які я внесла
довжина кешованої підрядки
додано кастинг типу в рядок.
додано необов'язковий параметр "enableOverlapping"
фіксований правильний вихід для "" порожнього рядка підрядки.
substring.length
майже кожен цикл, вам слід розглянути можливість кешування його позаwhile
occurrences(11,1) //2
це, і воно все одно спрацює. (Швидше це робити замість перевірки типів та виклику toString () )
function countInstances(string, word) {
return string.split(word).length - 1;
}
countInstances("isisisisisis", "is") === 0
.
Ви можете спробувати це:
var theString = "This is a string.";
console.log(theString.split("is").length - 1);
theString.split(myvar).length - 1
що ви не можете з простим регулярним виразом
Моє рішення:
var temp = "This is a string.";
function countOcurrences(str, value) {
var regExp = new RegExp(value, "gi");
return (str.match(regExp) || []).length;
}
console.log(countOcurrences(temp, 'is'));
countOcurrences('Hello...','.')==8
не, а не 3
Ви можете використовувати match
для визначення такої функції:
String.prototype.count = function(search) {
var m = this.match(new RegExp(search.toString().replace(/(?=[.\\+*?[^\]$(){}\|])/g, "\\"), "g"));
return m ? m.length:0;
}
return m ? m.length:-1;
.
Версія, що не повторюється:
var string = 'This is a string',
searchFor = 'is',
count = 0,
pos = string.indexOf(searchFor);
while (pos > -1) {
++count;
pos = string.indexOf(searchFor, ++pos);
}
console.log(count); // 2
is
виникнення
Просто код-гра в гольф Ребекка Чернова «s рішення :-)
alert(("This is a string.".match(/is/g) || []).length);
String.prototype.Count = function (find) {
return this.split(find).length - 1;
}
console.log("This is a string.".Count("is"));
Це поверне 2.
Ось найшвидша функція!
Чому це швидше?
Усі операції є настільки ж комбінованими, як вони можуть бути, уникаючи уповільнень через кілька операцій
String.prototype.timesCharExist=function(c){var t=0,l=0,c=(c+'')[0];while(l=this.indexOf(c,l)+1)++t;return t};
Ось більш повільна і читабельна версія:
String.prototype.timesCharExist = function ( chr ) {
var total = 0, last_location = 0, single_char = ( chr + '' )[0];
while( last_location = this.indexOf( single_char, last_location ) + 1 )
{
total = total + 1;
}
return total;
};
Це повільніше через лічильник, довгі назви вар та неправильне використання 1 вар.
Щоб скористатися ним, ви просто зробите це:
'The char "a" only shows up twice'.timesCharExist('a');
Редагувати: (2013/12/16)
НЕ використовуйте з Opera 12.16 або старші! знадобиться майже в 2,5 рази більше, ніж розчин регексу!
Що стосується хрому, це рішення займе від 14 мс до 20 мс для 1 000 000 символів.
Розчин регулярного гекса займає 11-14 мс на стільки ж.
Використання функції (зовні String.prototype
) займе приблизно 10-13 мс.
Ось використаний код:
String.prototype.timesCharExist=function(c){var t=0,l=0,c=(c+'')[0];while(l=this.indexOf(c,l)+1)++t;return t};
var x=Array(100001).join('1234567890');
console.time('proto');x.timesCharExist('1');console.timeEnd('proto');
console.time('regex');x.match(/1/g).length;console.timeEnd('regex');
var timesCharExist=function(x,c){var t=0,l=0,c=(c+'')[0];while(l=x.indexOf(c,l)+1)++t;return t;};
console.time('func');timesCharExist(x,'1');console.timeEnd('func');
Результат усіх рішень повинен бути 100 000!
Примітка: якщо ви хочете , щоб ця функція нарахувати більше 1 символ, зміна де c=(c+'')[0]
вc=c+''
var temp = "This is a string.";
console.log((temp.match(new RegExp("is", "g")) || []).length);
Я думаю, що призначення регексу сильно відрізняється від indexOf
.
indexOf
просто знайдіть виникнення певного рядка, тоді як у регулярному вираженні ви можете використовувати подвійні символи типу[A-Z]
це означає, що він знайде будь-який головний символ у слові без зазначення фактичного символу.
Приклад:
var index = "This is a string".indexOf("is");
console.log(index);
var length = "This is a string".match(/[a-z]/g).length;
// where [a-z] is a regex wildcard expression thats why its slower
console.log(length);
Супер пупер старий, але мені потрібно було зробити щось подібне сьогодні і тільки думав перевірити ТАК після цього. Для мене працює досить швидко.
String.prototype.count = function(substr,start,overlap) {
overlap = overlap || false;
start = start || 0;
var count = 0,
offset = overlap ? 1 : substr.length;
while((start = this.indexOf(substr, start) + offset) !== (offset - 1))
++count;
return count;
};
var myString = "This is a string.";
var foundAtPosition = 0;
var Count = 0;
while (foundAtPosition != -1)
{
foundAtPosition = myString.indexOf("is",foundAtPosition);
if (foundAtPosition != -1)
{
Count++;
foundAtPosition++;
}
}
document.write("There are " + Count + " occurrences of the word IS");
Посилання: - підрахунок підрядка з'являється в рядку для покрокового пояснення.
На основі відповіді на @ Vittim.us вище. Мені подобається контроль, який надає мені його метод, що дозволяє легко розширити, але мені потрібно було додати нечутливість регістру та обмежити відповідність цілим словам з підтримкою пунктуації. (наприклад, "ванна" - це "прийняти ванну", але не "купання")
Регекс пунктуації походить від: https://stackoverflow.com/a/25575009/497745 ( Як я можу викреслити всі розділові знаки з рядка в JavaScript за допомогою regex? )
function keywordOccurrences(string, subString, allowOverlapping, caseInsensitive, wholeWord)
{
string += "";
subString += "";
if (subString.length <= 0) return (string.length + 1); //deal with empty strings
if(caseInsensitive)
{
string = string.toLowerCase();
subString = subString.toLowerCase();
}
var n = 0,
pos = 0,
step = allowOverlapping ? 1 : subString.length,
stringLength = string.length,
subStringLength = subString.length;
while (true)
{
pos = string.indexOf(subString, pos);
if (pos >= 0)
{
var matchPos = pos;
pos += step; //slide forward the position pointer no matter what
if(wholeWord) //only whole word matches are desired
{
if(matchPos > 0) //if the string is not at the very beginning we need to check if the previous character is whitespace
{
if(!/[\s\u2000-\u206F\u2E00-\u2E7F\\'!"#$%&\(\)*+,\-.\/:;<=>?@\[\]^_`{|}~]/.test(string[matchPos - 1])) //ignore punctuation
{
continue; //then this is not a match
}
}
var matchEnd = matchPos + subStringLength;
if(matchEnd < stringLength - 1)
{
if (!/[\s\u2000-\u206F\u2E00-\u2E7F\\'!"#$%&\(\)*+,\-.\/:;<=>?@\[\]^_`{|}~]/.test(string[matchEnd])) //ignore punctuation
{
continue; //then this is not a match
}
}
}
++n;
} else break;
}
return n;
}
Будь ласка, не соромтесь змінювати та повторно змінювати цю відповідь, якщо ви виявите помилки чи покращення.
Для всіх, хто знайде цю тему в майбутньому, зауважте, що прийнята відповідь не завжди поверне правильне значення, якщо ви узагальнюєте її, оскільки вона задихатиметься від операторів регулярних виразів, як $
і .
. Ось краща версія, яка може обробляти будь-яку голку:
function occurrences (haystack, needle) {
var _needle = needle
.replace(/\[/g, '\\[')
.replace(/\]/g, '\\]')
return (
haystack.match(new RegExp('[' + _needle + ']', 'g')) || []
).length
}
function get_occurrence(varS,string){//Find All Occurrences
c=(string.split(varS).length - 1);
return c;
}
temp="This is a string.";
console.log("Total Occurrence is "+get_occurrence("is",temp));
Використовуйте get_occurrence (varS, string), щоб знайти виникнення обох символів і рядка в рядку.
Спробуй це
<?php
$str = "33,33,56,89,56,56";
echo substr_count($str, '56');
?>
<script type="text/javascript">
var temp = "33,33,56,89,56,56";
var count = temp.match(/56/g);
alert(count.length);
</script>
Проста версія без регулярного вираження:
var temp = "This is a string.";
var count = (temp.split('is').length - 1);
alert(count);
Спробуйте це
let allData = "This is a string.";
let searchString = 'is';
let regularExp = new RegExp(searchString, 'g');
let occurArray = allData.match(regularExp);
let count = (occurArray || []).length;
alert(count);
Посилання на скрипку: https://jsfiddle.net/rajaramtt/gn0dtsjc/1/
Тепер це дуже стара тема, яку я натрапив, але, як багато хто наштовхнувся на свою відповідь, ось моя в надії допомогти комусь із цим простим кодом.
var search_value = "This is a dummy sentence!";
var letter = 'a'; /*Can take any letter, have put in a var if anyone wants to use this variable dynamically*/
letter = letter && "string" === typeof letter ? letter : "";
var count;
for (var i = count = 0; i < search_value.length; count += (search_value[i++] == letter));
console.log(count);
Я не впевнений, чи це найшвидше рішення, але я віддав перевагу цьому для простоти і не для використання регулярного виразу (я просто не люблю їх використовувати!)
Ця функція повертає кількість зустрічань слова в тексті.
Зауважте, ми використовуємо toLowerCase для обчислення кількості подій незалежно від формату (великої літери, великого регістру ...) слова та тексту
wordCount(text, word) {
if (!text || !word) {
return 0;
}
text = text.toLowerCase();
word = word.toLowerCase();
return ( text.split( word ).length - 1 );
}
Відповідь Леандро Батіста: просто проблема з виразом регулярного вираження.
"use strict";
var dataFromDB = "testal";
$('input[name="tbInput"]').on("change",function(){
var charToTest = $(this).val();
var howManyChars = charToTest.length;
var nrMatches = 0;
if(howManyChars !== 0){
charToTest = charToTest.charAt(0);
var regexp = new RegExp(charToTest,'gi');
var arrMatches = dataFromDB.match(regexp);
nrMatches = arrMatches ? arrMatches.length : 0;
}
$('#result').html(nrMatches.toString());
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<div class="main">
What do you wanna count <input type="text" name="tbInput" value=""><br />
Number of occurences = <span id="result">0</span>
</div>
var countInstances = function(body, target) {
var globalcounter = 0;
var concatstring = '';
for(var i=0,j=target.length;i<body.length;i++){
concatstring = body.substring(i-1,j);
if(concatstring === target){
globalcounter += 1;
concatstring = '';
}
}
return globalcounter;
};
console.log( countInstances('abcabc', 'abc') ); // ==> 2
console.log( countInstances('ababa', 'aba') ); // ==> 2
console.log( countInstances('aaabbb', 'ab') ); // ==> 1
Трохи запізнюємось, але, припускаючи, що у нас є такий рядок:
var temp = "This is a string.";
Спочатку ми розділимо все, що ви шукаєте, щоб відповідати, це поверне масив рядків.
var array = temp.split("is");
Тоді ми отримуємо його довжину і віднімаємо 1 до неї, оскільки розділимо за замовчуванням масив розміром 1 і, як наслідок, збільшуємо його розмір кожного разу, коли він виявляє виникнення.
var occurrenceCount = array.length - 1;
alert(occurrenceCount); //should output '2'
Ви також можете зробити все це в один рядок наступним чином:
alert("This is a string.".split("is").length - 1); //should output '2'
Сподіваюся, що це допомагає: D
Це рішення засноване на .replace()
методі, який приймає RegEx як перший параметр, а функцію як другий параметр, який ми можемо використовувати як закриття для збільшення лічильника ...
/**
* Return the frequency of a substring in a string
* @param {string} string - The string.
* @param {string} string - The substring to count.
* @returns {number} number - The frequency.
*
* @author Drozerah https://gist.github.com/Drozerah/2b8e08d28413d66c3e63d7fce80994ce
* @see https://stackoverflow.com/a/55670859/9370788
*/
const subStringCounter = (string, subString) => {
let count = 0
string.replace(new RegExp(subString, 'gi'), () => count++)
return count
}
Використання
subStringCounter("foofoofoo", "bar"); //0
subStringCounter("foofoofoo", "foo"); //3
let str = 'As sly as a fox, as strong as an ox';
let target = 'as'; // let's look for it
let pos = 0;
while (true) {
let foundPos = str.indexOf(target, pos);
if (foundPos == -1) break;
alert( `Found at ${foundPos}` );
pos = foundPos + 1; // continue the search from the next position
}
Один і той же алгоритм можна викласти коротше:
let str = "As sly as a fox, as strong as an ox";
let target = "as";
let pos = -1;
while ((pos = str.indexOf(target, pos + 1)) != -1) {
alert( pos );
}
substr_count
перекладено на Javascript з php
function substr_count (haystack, needle, offset, length) {
// eslint-disable-line camelcase
// discuss at: https://locutus.io/php/substr_count/
// original by: Kevin van Zonneveld (https://kvz.io)
// bugfixed by: Onno Marsman (https://twitter.com/onnomarsman)
// improved by: Brett Zamir (https://brett-zamir.me)
// improved by: Thomas
// example 1: substr_count('Kevin van Zonneveld', 'e')
// returns 1: 3
// example 2: substr_count('Kevin van Zonneveld', 'K', 1)
// returns 2: 0
// example 3: substr_count('Kevin van Zonneveld', 'Z', 0, 10)
// returns 3: false
var cnt = 0
haystack += ''
needle += ''
if (isNaN(offset)) {
offset = 0
}
if (isNaN(length)) {
length = 0
}
if (needle.length === 0) {
return false
}
offset--
while ((offset = haystack.indexOf(needle, offset + 1)) !== -1) {
if (length > 0 && (offset + needle.length) > length) {
return false
}
cnt++
}
return cnt
}
Ознайомтеся з функцією перекладу Phut's substr_count на переклад Locutus
Спробуйте це:
function countString(str, search){
var count=0;
var index=str.indexOf(search);
while(index!=-1){
count++;
index=str.indexOf(search,index+1);
}
return count;
}