最近,我一直在研究正则表达式(更多的是说实话),我注意到了他的力量。我(link)提出的这个要求,我知道是“反向引用”。我想我了解它是如何工作的,它可以在JavaScript中工作,而在PHP中则不能。

例如,我有这个字符串:

[b]Text B[/b]
[i]Text I[/i]
[u]Text U[/u]
[s]Text S[/s]

并使用以下正则表达式:
\[(b|i|u|s)\]\s*(.*?)\s*\[\/\1\]

regex101.com上进行测试的方法与JavaScript相同,但不适用于PHP。
preg_replace的示例(不起作用):
echo preg_replace(
    "/\[(b|i|u|s)\]\s*(.*?)\s*\[\/\1\]/i",
    "<$1>$2</$1>",
    "[b]Text[/b]"
);

虽然这种方式有效:
echo preg_replace(
    "/\[(b|i|u|s)\]\s*(.*?)\s*\[\/(b|i|u|s)\]/i",
    "<$1>$2</$1>",
    "[b]Text[/b]"
);

感谢所有帮助我的人,我不明白自己在哪里错了。

最佳答案

这是因为您使用了双引号字符串,在双引号字符串内部\1被读为字符的八进制表示法(控制字符SOH =标题的开始),而不是转义的1。

有两种方法:

使用单引号字符串:

'/\[(b|i|u|s)\]\s*(.*?)\s*\[\/\1\]/i'

或转义反斜杠以获得文字反斜杠(用于字符串,而不用于模式):
"/\[(b|i|u|s)\]\s*(.*?)\s*\[\/\\1\]/i"

顺便说一句,您可以像这样编写模式:
$pattern = '~\[([bius])]\s*(.*?)\s*\[/\1]~i';

// with oniguruma notation
$pattern = '~\[([bius])]\s*(.*?)\s*\[/\g{1}]~i';

// oniguruma too but relative:
// (the second group on the left from the current position)
$pattern = '~\[([bius])]\s*(.*?)\s*\[/\g{-2}]~i';

09-28 06:34