正则表达式常见的表达法有五种:
test()
test() 用于测试指定字符串和正则表达式之间是否匹配,接受一个字符串作为其参数,并根据是否匹配返回 true 或 false
var reg = /\.*/
console.log(reg.test('ab')) //true
match()
match() 与字符串一起使用以检查字符串和正则表达式 regex 之间的匹配,以正则表达式为参数
const strText = "Hello China";
const regex = /[A-Z]/g; // 大写字母正则表达式
console.log(strText.match(regex)); // [ 'H', 'C' ]
search()
search() 方法是一个字符串方法,可以将其与正则表达式一起使用。可以将正则表达式作为参数传递给它,以在字符串中搜索匹配项。
方法返回第一个匹配项在整个字符串中的位置(索引),如果没有匹配项,则返回 -1。
const strText = "hello china,i love china";
const regex = /china/;
console.log(strText.search(regex)); // 6
const strText = "hello china,i love china";
const regex = /devpoint/;
console.log(strText.search(regex)); // -1
replace()
replace() 是在字符串中搜索指定的值或正则表达式并将其替换为另一个值,方法接受两个参数:
方法返回一个包含被替换后的新字符串,需要注意的是,它不会改变原始字符串,并且只会替换搜索到的第一个值。
const strText = "hello world,i love world";
const regex = /world/;
console.log(strText.replace(regex, "china")); // hello china,i love world
replaceAll()
replaceAll() 类似于方法 replace() ,但它允许替换字符串中所有匹配的值或正则表达式。
它接受两个参数:
- 要搜索的值,如果是正则,则必须带上全局标记 g
- 要替换的新值
它返回一个包含所有新值的新字符串,同样也不会更改原始字符串。
const strText = "hello world,i love world";
const regex = /world/g;
console.log(strText.replaceAll(regex, "china")); // hello china,i love china
|