在下面的代码中,我很难找到一种在回调函数'cb'中访问对象引用变量$ this的方法。我收到了错误
致命错误:不在对象上下文中时使用$ this
我希望能够在函数'cb'中调用方法'bold'。
<?php
class Parser
{
private function bold($text)
{
return '<b>' . $text . '</b>';
}
// Transform some BBCode text containing tags '[bold]' and '[/bold]' into HTML
public function transform($text)
{
function cb($matches)
{
// $this not valid here
return $this->bold($matches[1]);
}
$html = preg_replace_callback('/\[bold\]([\w\x20]*)\[\/bold\]/', 'cb', $text);
return $html;
}
}
$t = "This is some test text with [bold]BBCode tags[/bold]";
$obj = new Parser();
echo $obj->transform($t) . "\n";
?>
答案 0 :(得分:1)
您有一个可变范围问题:在cb
函数内部,没有外部变量/对象/等可见。
将您的功能更改为类方法:
class Parser
{
(...)
private function cb( $matches )
{
return $this->bold( $matches[1] );
}
(...)
}
然后以这种方式修改preg_replace_callback
:
$html = preg_replace_callback( '/\[bold\]([\w\x20]*)\[\/bold\]/', array( $this, 'cb' ), $text );
# ====================
作为替代方案(在PHP&gt; = 5.4上),您可以使用匿名函数:
$html = preg_replace_callback
(
'/\[bold\]([\w\x20]*)\[\/bold\]/',
function( $matches )
{
return $this->bold( $matches[1] );
},
$text
);
答案 1 :(得分:0)
这对你有用吗?
public function transform($text)
{
$html = preg_replace_callback('/\[bold\]([\w\x20]*)\[\/bold\]/', array($this, 'bold'), $text);
return $html;
}
您可能需要向函数bold
移动更多逻辑,因为在这种情况下它将获得匹配数组。