通常私はString.contains()
メソッドを期待するでしょう、しかしそれがあるようには思われません。
これを確認するための合理的な方法は何ですか?
ES6が導入されました String.prototype.includes
:
var string = "foo",
substring = "oo";
string.includes(substring)
includes
IE support はありません。 ES5以前の環境では、 String.prototype.indexOf
はサブストリングを見つけられないときに-1を返しますが、代わりに使用できます。
var string = "foo",
substring = "oo";
string.indexOf(substring) !== -1
ES6にはString.prototype.includes
があります :
"potato".includes("to");
> true
この Internet Explorerや他の古いブラウザでは動作しません _はES6をサポートしていないか不完全です。古いブラウザで動作させるためには、 Babel のようなtranspiler、 es6-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;
}
};
}
他の選択肢は _ kmp _ です。
KMPアルゴリズムは最悪の場合の線形時間部分文字列検索を提供するので、最悪の場合の時間の複雑さを気にするのであれば妥当な方法です。
これは、Project Nayukiによる https://www.nayuki.io/res/knuth-morris-pratt-string-matching/kmp-string-matcher.js からの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
}
使用例
kmpSearch('ays', 'haystack') != -1 // true
kmpSearch('asdf', 'haystack') != -1 // false