本回答中使用的术语:
Match表示对字符串运行RegEx模式的结果,例如:someString.Match(regexPattern)。匹配模式表示输入字符串的所有匹配部分,它们都位于匹配数组内。这些是输入字符串中模式的所有实例。匹配的组表示RegEx模式中定义的所有要捕获的组。(括号内的模式,如:/format_(.*?)/g,其中(.*!)将是匹配的组。)它们位于匹配的模式中。
描述
为了访问匹配的组,在每个匹配的模式中,您需要一个函数或类似的东西来迭代匹配。有很多方法可以做到这一点,正如许多其他答案所示。大多数其他答案使用while循环来遍历所有匹配的模式,但我认为我们都知道这种方法的潜在危险。需要匹配新的RegExp(),而不仅仅是模式本身,这只是在注释中提到的。这是因为.exec()方法的行为类似于生成器函数——它在每次匹配时都会停止,但在下一次.exec)调用时保持.lastIndex继续。
代码示例
下面是一个函数searchString的示例,它返回所有匹配模式的数组,其中每个匹配都是一个包含所有匹配组的数组。我没有使用while循环,而是提供了使用Array.prototype.map()函数的示例,以及一种更高效的方法——使用普通的for循环。
简洁的版本(更少的代码,更多的语法糖)
因为它们基本上实现了forEach循环,而不是更快的for循环,所以性能较差。
// Concise ES6/ES2015 syntax
const searchString =
(string, pattern) =>
string
.match(new RegExp(pattern.source, pattern.flags))
.map(match =>
new RegExp(pattern.source, pattern.flags)
.exec(match));
// Or if you will, with ES5 syntax
function searchString(string, pattern) {
return string
.match(new RegExp(pattern.source, pattern.flags))
.map(match =>
new RegExp(pattern.source, pattern.flags)
.exec(match));
}
let string = "something format_abc",
pattern = /(?:^|\s)format_(.*?)(?:\s|$)/;
let result = searchString(string, pattern);
// [[" format_abc", "abc"], null]
// The trailing `null` disappears if you add the `global` flag
Performant版本(更多代码,更少语法糖)
// Performant ES6/ES2015 syntax
const searchString = (string, pattern) => {
let result = [];
const matches = string.match(new RegExp(pattern.source, pattern.flags));
for (let i = 0; i < matches.length; i++) {
result.push(new RegExp(pattern.source, pattern.flags).exec(matches[i]));
}
return result;
};
// Same thing, but with ES5 syntax
function searchString(string, pattern) {
var result = [];
var matches = string.match(new RegExp(pattern.source, pattern.flags));
for (var i = 0; i < matches.length; i++) {
result.push(new RegExp(pattern.source, pattern.flags).exec(matches[i]));
}
return result;
}
let string = "something format_abc",
pattern = /(?:^|\s)format_(.*?)(?:\s|$)/;
let result = searchString(string, pattern);
// [[" format_abc", "abc"], null]
// The trailing `null` disappears if you add the `global` flag
我还没有将这些替代方案与其他答案中提到的替代方案进行比较,但我怀疑这种方法的性能和故障安全性不如其他方法。