Javascript Regex - 查找所有可能的匹配项,即使在已捕获的匹配项中也是如此

时间:2013-02-13 21:00:45

标签: javascript regex string match

我正在尝试使用带有javascript的regex从字符串中获取所有可能的匹配。看来我的方法不匹配已经匹配的字符串部分。

变量:

var string = 'A1B1Y:A1B2Y:A1B3Y:A1B4Z:A1B5Y:A1B6Y:A1B7Y:A1B8Z:A1B9Y:A1B10Y:A1B11Y';

var reg = /A[0-9]+B[0-9]+Y:A[0-9]+B[0-9]+Y/g;

代码:

var match = string.match(reg);

我得到的所有匹配结果:

A1B1Y:A1B2Y
A1B5Y:A1B6Y
A1B9Y:A1B10Y

我想要的匹配结果:

A1B1Y:A1B2Y
A1B2Y:A1B3Y
A1B5Y:A1B6Y
A1B6Y:A1B7Y
A1B9Y:A1B10Y
A1B10Y:A1B11Y

在我看来,我希望A1B1Y:A1B2YA1B2Y:A1B3Y匹配,即使字符串中的A1B2Y需要成为两个匹配项的一部分。

3 个答案:

答案 0 :(得分:21)

在不修改正则表达式的情况下,您可以将其设置为在每次匹配后的匹配后半部分开始时使用.exec开始匹配,并操纵正则表达式对象的lastIndex属性。

var string = 'A1B1Y:A1B2Y:A1B3Y:A1B4Z:A1B5Y:A1B6Y:A1B7Y:A1B8Z:A1B9Y:A1B10Y:A1B11Y';
var reg = /A[0-9]+B[0-9]+Y:A[0-9]+B[0-9]+Y/g;
var matches = [], found;
while (found = reg.exec(string)) {
    matches.push(found[0]);
    reg.lastIndex -= found[0].split(':')[1].length;
}

console.log(matches);
//["A1B1Y:A1B2Y", "A1B2Y:A1B3Y", "A1B5Y:A1B6Y", "A1B6Y:A1B7Y", "A1B9Y:A1B10Y", "A1B10Y:A1B11Y"]

Demo


根据Bergi的评论,你也可以获得最后一场比赛的索引并将其递增1,这样它就不会从比赛的后半段开始匹配,它将开始尝试从第二个角色匹配每场比赛:

reg.lastIndex = found.index+1;

Demo

最终结果是一样的。尽管如此,Bergi的更新代码少了一些,并且稍微执行faster=]

答案 1 :(得分:4)

您无法从match获得直接结果,但可以通过RegExp.exec生成结果并对正则表达式进行一些修改:

var regex = /A[0-9]+B[0-9]+Y(?=(:A[0-9]+B[0-9]+Y))/g;
var input = 'A1B1Y:A1B2Y:A1B3Y:A1B4Z:A1B5Y:A1B6Y:A1B7Y:A1B8Z:A1B9Y:A1B10Y:A1B11Y'
var arr;
var results = [];

while ((arr = regex.exec(input)) !== null) {
    results.push(arr[0] + arr[1]);
}

我使用零宽度正向前瞻(?=pattern)以便不使用文本,以便重新匹配部分。

实际上,可以滥用replace方法来实现相同的结果:

var input = 'A1B1Y:A1B2Y:A1B3Y:A1B4Z:A1B5Y:A1B6Y:A1B7Y:A1B8Z:A1B9Y:A1B10Y:A1B11Y'
var results = [];

input.replace(/A[0-9]+B[0-9]+Y(?=(:A[0-9]+B[0-9]+Y))/g, function ($0, $1) {
    results.push($0 + $1);
    return '';
});

但是,由于它是replace,它会进行额外无用的替换工作。

答案 2 :(得分:3)

不幸的是,它并不像单个string.match那么简单。

原因是你需要重叠匹配,/g标志不会给你。

你可以使用lookahead:

var re = /A\d+B\d+Y(?=:A\d+B\d+Y)/g;

但现在你得到了:

string.match(re); // ["A1B1Y", "A1B2Y", "A1B5Y", "A1B6Y", "A1B9Y", "A1B10Y"]

原因是前瞻是零宽度,这意味着它只是说出模式是否在你想要匹配的东西之后;它不包括在比赛中。

您可以使用exec尝试抓住您想要的内容。如果正则表达式具有/g标记,则可以反复运行exec以获取所有匹配项:

// using re from above to get the overlapping matches

var m;
var matches = [];
var re2 = /A\d+B\d+Y:A\d+B\d+Y/g; // make another regex to get what we need

while ((m = re.exec(string)) !== null) {
  // m is a match object, which has the index of the current match
  matches.push(string.substring(m.index).match(re2)[0]);
}

matches == [
  "A1B1Y:A1B2Y", 
  "A1B2Y:A1B3Y", 
  "A1B5Y:A1B6Y", 
  "A1B6Y:A1B7Y", 
  "A1B9Y:A1B10Y", 
  "A1B10Y:A1B11Y"
];

Here's a fiddle of this in action。打开控制台以查看结果

或者,您可以在:上拆分原始字符串,然后遍历生成的数组,在array[i]array[i+1]匹配的情况下拉出匹配的数组,如您所愿。