freeCodeCamp/curriculum/challenges/japanese/10-coding-interview-prep/rosetta-code/count-occurrences-of-a-subs...

1.8 KiB

id title challengeType forumTopicId dashedName
596fda99c69f779975a1b67d 部分文字列の出現回数を数える 5 302237 count-occurrences-of-a-substring

--description--

関数を作成するか、組み込み関数を表示して、文字列内で重複しない部分文字列の発生回数を数えます。

関数は二つの引数を取ります。

  • 1つ目の引数は検索文字列です。
  • 2つ目の引数は検索する部分文字列です。

整数カウントを返します。

照合は、重複しない最大一致数になります。

通常、これは左から右へ、または右から左への照合を意味します。

--hints--

countSubstring という関数です。

assert(typeof countSubstring === 'function');

countSubstring("the three truths", "th")3 を返します。

assert.equal(countSubstring(testCases[0], searchString[0]), results[0]);

countSubstring("ababababab", "abab")2 を返します。

assert.equal(countSubstring(testCases[1], searchString[1]), results[1]);

countSubstring("abaabba*bbaba*bbab", "a*b")2 を返します。

assert.equal(countSubstring(testCases[2], searchString[2]), results[2]);

--seed--

--after-user-code--

const testCases = ['the three truths', 'ababababab', 'abaabba*bbaba*bbab'];
const searchString = ['th', 'abab', 'a*b'];
const results = [3, 2, 2];

--seed-contents--

function countSubstring(str, subStr) {

  return true;
}

--solutions--

function countSubstring(str, subStr) {
  const escapedSubStr = subStr.replace(/[.+*?^$[\]{}()|/]/g, '\\$&');
  const matches = str.match(new RegExp(escapedSubStr, 'g'));
  return matches ? matches.length : 0;
}