我正在尝试编写一个递归正则表达式来捕获代码块,但由于某种原因,它似乎没有正确捕获它们。我希望下面的代码能够捕获函数的完整主体,但它只捕获第一个if
语句的内容。
这几乎就像以.+?
某种方式吞噬了第一个{
,但它应该是非贪婪的,所以我不明白为什么会这样。
是什么导致它以这种方式行事?
脚本:
use strict;
use warnings;
my $text = << "END";
int max(int x, int y)
{
if (x > y)
{
return x;
}
else
{
return y;
}
}
END
# Regular expression to capture balanced "{}" groups
my $regex = qr/
\{ # Match opening brace
(?: # Start non-capturing group
[^{}]++ # Match non-brace characters without backtracking
| # or
(?R) # Recursively match the entire expression
)* # Match 0 or more times
\} # Match closing brace
/x;
# is ".+?" gobbling up the first "{"?
# What would cause it to do this?
if ($text =~ m/int\s.+?($regex)/s){
print $1;
}
输出:
{
return x;
}
预期输出:
{
if (x > y)
{
return x;
}
else
{
return y;
}
}
我知道有一个Text::Balanced
用于此目的的模块,但我正在尝试手动执行此操作以了解有关正则表达式的更多信息。