Bootstrap

JavaScript中判断某个字符串是否包含另一个字符串的方法

方法一: indexOf()

const a='line_1'
console.log(a.indexOf('line_')!==-1)	//true

indexOf()返回某个指定的字符串值在字符串中首次出现的位置,如果要检索的字符串值没有出现,则该方法返回 -1。

方法二:match()

const a='line_1'
const c='11'
const reg=RegExp(/line_/);
console.log(a.match(reg)) //[ 'line_', index: 0, input: 'line_1', groups: undefined ]
console.log(c.match(reg)) //null

match() 方法可在字符串内检索指定的值,或找到一个或多个正则表达式的匹配。

方法三:search()

const a='line_1'
console.log(a.search("line_") != -1); // true

search() 方法用于检索字符串中指定的子字符串,或检索与正则表达式相匹配的子字符串。如果没有找到任何匹配的子串,则返回 -1。

;