字符串验证包含子串的方法

Posted by 犀利一下下 on 2018-03-11

JavaScript(ES6)判断字符串是否包含子字符串的方法

ES6 includes

ES6的字符串新增了includes方法,我们可以用它来判断是否包含子字符串。

1
str.includes(searchString[, position])
  • searchString:查询的子字符串
  • position:可选,开始搜索的位置,默认为0
1
2
'Blue Whale'.includes('Blue'); // returns true
'Blue Whale'.includes('blue'); // returns false

需要注意的是,includes方法是会区分大小写。

对于不支持es6的浏览器,可以添加es6-shim,如:

1
require('es6-shim')

indexOf

indexOf是我们比较常用到判断是否包含子字符串的方法。如果包含子字符串,返回子字符串的索引,否则返回-1。

1
2
3
4
5
6
7
var string = "foo",
substring = "oo";
if(string.indexOf(substring) == -1) {
console.log("不包含子字符串")
} else {
console.log("包含子字符串")
}

正则表达式

使用正则表达式有三种方式:test,match,search

1、test

1
2
3
var string = "foo",
exp = /oo/;
var result = exp.test(string);

test返回的是一个布尔值。存在返回true,否则返回false。

注意test函数调用者是正则表达式。

2、match

1
2
3
4
var string = "foo",
exp = /oo/;
var result = string.match(exp);
console.log(result);

输出结果:[“oo”, index: 1, input: “foo”]

调用者是字符串,如果匹配到返回一个数组,包含了匹配到的内容:正则表达式,index和input。

3、search

1
2
3
var string = "foo",
exp = /oo/;
var result = string.search(exp);

返回的是搜索到的子字符串的索引,搜索不到返回-1