非常简单;我似乎找不到任何关于PHP的preg_replace()
支持命名反向引用的确定性:
// should match, replace, and output: user/profile/foo
$string = 'user/foo';
echo preg_replace('#^user/(?P<id>[^/]+)$#Di', 'user/profile/(?P=id)', $string);
这是一个简单的例子,但我想知道是否根本不支持这种语法(?P=name)
。语法问题,还是不存在的功能?
答案 0 :(得分:12)
它们存在:
http://www.php.net/manual/en/regexp.reference.back-references.php
使用preg_replace_callback:
function my_replace($matches) {
return '/user/profile/' . $matches['id'];
}
$newandimproved = preg_replace_callback('#^user/(?P<id>[^/]+)$#Di', 'my_replace', $string);
甚至更快
$newandimproved = preg_replace('#^user/([^/]+)$#Di', '/user/profile/$1', $string);
答案 1 :(得分:7)
preg_replace
不支持命名反向引用。
preg_replace_callback
支持命名的反向引用,但在PHP 5.3之后,所以期望它在PHP 5.2及更低版本上失败。
答案 2 :(得分:2)
preg_replace
尚不支持命名子模式。
答案 3 :(得分:0)
你可以用这个:
class oreg_replace_helper {
const REGEXP = '~
(?<!\x5C)(\x5C\x5C)*+
(?:
(?:
\x5C(?P<num>\d++)
)
|
(?:
\$\+?{(?P<name1>\w++)}
)
|
(?:
\x5Cg\<(?P<name2>\w++)\>
)
)?
~xs';
protected $replace;
protected $matches;
public function __construct($replace) {
$this->replace = $replace;
}
public function replace($matches) {
var_dump($matches);
$this->matches = $matches;
return preg_replace_callback(self::REGEXP, array($this, 'map'), $this->replace);
}
public function map($matches) {
foreach (array('num', 'name1', 'name2') as $name) {
if (isset($this->matches[$matches[$name]])) {
return stripslashes($matches[1]) . $this->matches[$matches[$name]];
}
}
return stripslashes($matches[1]);
}
}
function oreg_replace($pattern, $replace, $subject) {
return preg_replace_callback($pattern, array(new oreg_replace_helper($replace), 'replace'), $subject);
}
然后您可以在替换语句中使用\g<name> ${name} or $+{name}
作为参考。
cf(http://www.rexegg.com/regex-disambiguation.html#namedcapture)