您好,我正在尝试在javascript中创建一个简单的匹配游戏。
如果用户以包含word_tmp中每个字符串的任何方式插入文本president goes crazy
,则word_tmp变为true,如果他错过了一个字符串,则它变为false。
word_tmp = ['president', 'goes', 'crazy'];
// string 1 contains the president, goes and crazy at one string
string1 = 'president goes very crazy'; // should output true
// string 2 doesn't contain president so its false.
string2 = 'other people goes crazy'; // should output false
我该如何做到这一点?
答案 0 :(得分:1)
试试这个:
var word_tmp = ['president', 'goes', 'crazy'];
var string1 = 'president goes very crazy';
var isMatch = true;
for(var i = 0; i < word_tmp.length; i++){
if (string1.indexOf(word_tmp[i]) == -1){
isMatch = false;
break;
}
}
return isMatch //will be true in this case
答案 1 :(得分:1)
您可以使用简单的reduce来电:
word_tmp.reduce(function(res, pattern) {
return res && string1.indexOf(pattern) > -1;
}, true);
相同的代码,包含在函数中:
var match_all = function(str, arr) {
return arr.reduce(function(res, pattern) {
return res && str.indexOf(pattern) > -1;
}, true);
};
match_all(string1, word_tmp); // true
match_all(string2, word_tmp); // false
但是如果你想匹配整个单词,这个解决方案对你不起作用。我的意思是,它会接受presidential elections goes crazy
之类的字符串,因为president
是单词presidential
的一部分。如果你想要消除这样的字符串,你应该首先拆分原始字符串:
var match_all = function(str, arr) {
var parts = str.split(/\s/); // split on whitespaces
return arr.reduce(function(res, pattern) {
return res && parts.indexOf(pattern) > -1;
}, true);
};
match_all('presidential elections goes crazy', word_tmp); // false
在我的例子中,我在原始空格/\s/
上拆分原始字符串。如果您允许使用标点符号,则最好分割非单词字符/\W/
。
答案 2 :(得分:0)
var word_tmp = ['president', 'goes', 'crazy'];
var str = "president goes very crazy"
var origninaldata = str.split(" ")
var isMatch = false;
for(var i=0;i<word_tmp.length;i++) {
for(var j=0;j<origninaldata.length;j++) {
if(word_tmp[i]==origninaldata[j])
isMatch = true;
}
}