JavaScript에서 문자열에 하위 문자열이 포함되어 있는지 확인하는 방법은 무엇입니까?


7427

일반적으로 String.contains()방법 을 기대 하지만 방법이없는 것 같습니다.

이것을 확인하는 합리적인 방법은 무엇입니까?

답변:


13771

ECMAScript 6 소개 String.prototype.includes:

const string = "foo";
const substring = "oo";

console.log(string.includes(substring));

includes 그러나 Internet Explorer는 지원하지 않습니다 . ECMAScript 5 또는 이전 환경에서는을 사용 String.prototype.indexOf하여 하위 문자열을 찾을 수없는 경우 -1을 반환합니다.

var string = "foo";
var substring = "oo";

console.log(string.indexOf(substring) !== -1);


25
나는 IE를 좋아하지 않지만, 거의 동일한 두 개의 기능이 있고 하나가 다른 것보다 더 잘 지원되는 경우 더 잘 지원되는 것을 선택해야한다고 생각합니까? 그래서 indexOf()...
rob74

3
대소 문자를 구분하지 않고 검색 할 수 있습니까?
Eric McWinNEr

18
string.toUpperCase().includes(substring.toUpperCase())
로드리고 핀토

2
@EricMcWinNEr- /regexpattern/i.test(str)> i 플래그는 대소 문자를 구분하지 않음
Code Maniac

이것은 Google App Script에서 작동하지 않는 것 같습니다.
Ryan

559

있다 String.prototype.includesES6에서 :

"potato".includes("to");
> true

이 점에 유의 Internet Explorer 또는 다른 오래된 브라우저에서 작동하지 않습니다 없거나 불완전한 ES6 지원. 오래된 브라우저에서 작동하게하려면 Babel 과 같은 트랜스 필러 , es6-shim 과 같은 shim 라이브러리 또는 MDN 의이 polyfill을 사용할 수 있습니다 .

if (!String.prototype.includes) {
  String.prototype.includes = function(search, start) {
    'use strict';
    if (typeof start !== 'number') {
      start = 0;
    }

    if (start + search.length > this.length) {
      return false;
    } else {
      return this.indexOf(search, start) !== -1;
    }
  };
}

3
그냥 "potato".includes("to");바벨을 통해 실행하십시오.
Derk Jan Speelman

1
는 슬프게도 IE에서 지원하지 않습니다
Sweet Chilly Philly

@eliocs 당신은 이것에 대답 할 수 있습니다. 하나의 메시지가 나타납니다. 메시지를 변경해야합니다 stackoverflow.com/questions/61273744/…
sejn

1
그것의 또 다른 장점은 대소 문자를 구분한다는 것입니다. "boot".includes("T")입니다false
Jonatas CD

47

또 다른 대안은 KMP (Knuth–Morris–Pratt)입니다.

길이 -의 KMP 알고리즘 검색 m 길이 -의 서브 스트링 n 개의 스트링 최악 O에서 ( N + m O (의 최악의 경우에 비해) 시간, Nm 순진한 알고리즘)는 그렇게 할 수있다 KMP를 사용 최악의 시간 복잡성을 염려한다면 합리적입니다.

https://www.nayuki.io/res/knuth-morris-pratt-string-matching/kmp-string-matcher.js 에서 가져온 Project Nayuki의 JavaScript 구현은 다음과 같습니다 .

// Searches for the given pattern string in the given text string using the Knuth-Morris-Pratt string matching algorithm.
// If the pattern is found, this returns the index of the start of the earliest match in 'text'. Otherwise -1 is returned.

function kmpSearch(pattern, text) {
  if (pattern.length == 0)
    return 0; // Immediate match

  // Compute longest suffix-prefix table
  var lsp = [0]; // Base case
  for (var i = 1; i < pattern.length; i++) {
    var j = lsp[i - 1]; // Start by assuming we're extending the previous LSP
    while (j > 0 && pattern.charAt(i) != pattern.charAt(j))
      j = lsp[j - 1];
    if (pattern.charAt(i) == pattern.charAt(j))
      j++;
    lsp.push(j);
  }

  // Walk through text string
  var j = 0; // Number of chars matched in pattern
  for (var i = 0; i < text.length; i++) {
    while (j > 0 && text.charAt(i) != pattern.charAt(j))
      j = lsp[j - 1]; // Fall back in the pattern
    if (text.charAt(i) == pattern.charAt(j)) {
      j++; // Next char matched, increment position
      if (j == pattern.length)
        return i - (j - 1);
    }
  }
  return -1; // Not found
}

console.log(kmpSearch('ays', 'haystack') != -1) // true
console.log(kmpSearch('asdf', 'haystack') != -1) // false


11
이것은 과잉이지만 그럼에도 불구하고 흥미로운 답변입니다.
Faissaloo
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.