JavaScript 中的正则表达式(Regular Expression,简称 RegExp)是一种强大的文本处理工具,用于匹配、查找、替换和分割字符串。正则表达式在表单验证、数据清洗、文本搜索等场景中非常常用。
1. 创建正则表达式
在 JavaScript 中,可以通过两种方式创建正则表达式:
1.1 使用字面量语法
// 创建一个匹配 "abc" 的正则表达式
const regex = /abc/;
1.2 使用 RegExp
构造函数
// 创建一个匹配 "abc" 的正则表达式
const regex = new RegExp('abc');
注意:使用 RegExp
构造函数时,如果模式中包含反斜杠 \
,需要使用双反斜杠 \\
进行转义,因为在字符串中单个反斜杠也是转义字符。
// 匹配数字的正则表达式
const regex1 = /\d/; // 字面量语法
const regex2 = new RegExp('\\d'); // RegExp 构造函数
2. 常用方法和属性
2.1 test()
用于测试字符串是否匹配正则表达式,返回布尔值。
const regex = /abc/;
console.log(regex.test('abcdef')); // true
console.log(regex.test('defabc')); // true
console.log(regex.test('defghi')); // false
2.2 exec()
在字符串中执行搜索匹配,返回一个数组或 null
。
const regex = /abc/;
const str = 'abcdef';
const result = regex.exec(str);
console.log(result); // ['abc', index: 0, input: 'abcdef', groups: undefined]
2.3 match()
在字符串中查找匹配,返回一个数组或 null
。如果使用全局标志 g
,则返回所有匹配的数组。
const regex = /abc/;
const str = 'abcdef abcghi';
console.log(str.match(regex)); // ['abc', index: 0, input: 'abcdef abcghi', groups: undefined]
const regexG = /abc/g;
console.log(str.match(regexG)); // ['abc', 'abc']
2.4 search()
返回第一个匹配项的索引,如果没有匹配项则返回 -1
。
const regex = /abc/;
const str = 'abcdef abcghi';
console.log(str.search(regex)); // 0
2.5 replace()
用于替换匹配的子字符串。
const regex = /abc/;
const str = 'abcdef abcghi';
const newStr = str.replace(regex, 'XYZ');
console.log(newStr); // 'XYZdef XYZghi'
2.6 split()
根据匹配的正则表达式分割字符串。
const regex = /,/;
const str = 'apple,banana,cherry';
const arr = str.split(regex);
console.log(arr); // ['apple', 'banana', 'cherry']
2.7 常用属性
- **
global
**: 是否设置了全局标志g
。 - **
ignoreCase
**: 是否设置了忽略大小写标志i
。 - **
multiline
**: 是否设置了多行标志m
。 - **
lastIndex
**: 下一次匹配的起始位置(仅在g
标志下有效)。
const regex = /abc/gi;
console.log(regex.global); // true
console.log(regex.ignoreCase);// true
console.log(regex.multiline);// false
const regex = /foo/g;
const