Computer >> 컴퓨터 >  >> 프로그램 작성 >> JavaScript

JavaScript에서 일치하는 하위 문자열 계산

<시간/>

문제

문자열 str을 첫 번째 인수로, 문자열 배열 arr을 두 번째 인수로 취하는 JavaScript 함수를 작성해야 합니다. 우리의 함수는 string str의 하위 시퀀스인 ar[i]의 수를 세고 반환해야 합니다.

예를 들어, 함수에 대한 입력이

인 경우

입력

const str = 'klmnop';
const arr = ['k', 'll', 'klp', 'klo'];

출력

const output = 3;

출력 설명

필수 문자열은 'k', 'klp' 및 'klo'이기 때문에

예시

다음은 코드입니다 -

const str = 'klmnop';
const arr = ['k', 'll', 'klp', 'klo'];
const countSubstrings = (str = '', arr = []) => {
   const map = arr.reduce((acc, val, ind) => {
      const c = val[0]
      acc[c] = acc[c] || []
      acc[c].push([ind, 0])
      return acc
   }, {})
   let num = 0
   for (let i = 0; i < str.length; i++) {
      if (map[str[i]] !== undefined) {
         const list = map[str[i]]
         map[str[i]] = undefined
         list.forEach(([wordIndex, charIndex]) => {
            if (charIndex === arr[wordIndex].length - 1) {
               num += 1
            } else {
               const nextChar = arr[wordIndex][charIndex + 1]
               map[nextChar] = map[nextChar] || []
               map[nextChar].push([wordIndex, charIndex + 1])
            }  
         })
      }
   }
   return num
}
console.log(countSubstrings(str, arr));

출력

3