javascript变量包含而不是equals

时间:2013-03-01 00:19:36

标签: javascript variables

在javascript if ... else语句中,而不是检查变量是否等于(==)一个值,是否可以检查变量是否包含值?

var blah = unicorns are pretty;
if(blah == 'unicorns') {};       //instead of doing this,
if(blah includes 'unicorns') {}; //can i do this?

另外,它包含的单词应该是变量的第一个单词。感谢!!!

3 个答案:

答案 0 :(得分:2)

如果用“第一个单词”表示从字符串开头到第一个空格的字符序列,那么这样就可以了:

if  ((sentence + ' ').indexOf('unicorns ') === 0) {
    //         note the trailing space ^
} 

如果不是空格而是空格,则应使用正则表达式:

if (/^unicorns(\s|$)/.test(sentence)) {
    // ...
}

// or dynamically
var search = 'unicorns';
if (RegExp('^' + search + '(\\s|$)').test(sentence)) {
    // ...
}

您还可以使用特殊的单词边界字符,具体取决于您要匹配的语言:

if (/^unicorns\b/.test(sentence)) {
    // ...  
}

More about regular expressions.


相关问题:

答案 1 :(得分:1)

if(blah.indexOf('unicorns') == 0) {
    // the string "unicorns" was first in the string referenced by blah.
}

if(blah.indexOf('unicorns') > -1) {
    // the string "unicorns" was found in the string referenced by blah.
}

indexOf

删除第一次出现的字符串:

blah = blah.replace('unicorns', '');

答案 2 :(得分:1)

您还可以使用快速正则表达式测试:

if (/unicorns/.test(blah)) {
  // has "unicorns"
}