我刚刚升级到PHP 7并且一直在努力解决与已弃用功能相关的错误,并取得了很大的成功。
可悲的是,我在修复新的preg替换方法时遇到了麻烦,因为我在浏览交互式可折叠的javascript中查看了php数组"码。
以下代码:
function print_r_tree($data)
{
// capture the output of $this->print_r_tree
$out = print_r($data, true);
// replace something like '[element] => <newline> (' with <a href="javascript:toggleDisplay('...');">...</a><div id="..." style="display: none;">
$out = preg_replace('/([ \t]*)(\[[^\]]+\][ \t]*\=\>[ \t]*[a-z0-9 \t_]+)\n[ \t]*\(/iUe',"'\\1<a href=\"javascript:toggleDisplay(\''.(\$id = substr(md5(rand().'\\0'), 0, 7)).'\');\">\\2</a><div id=\"'.\$id.'\" style=\"display: none;\">'", $out);
// replace ')' on its own on a new line (surrounded by whitespace is ok) with '</div>
$out = preg_replace('/^\s*\)\s*$/m', '</div>', $out);
// print the javascript function toggleDisplay() and then the transformed output
echo '<script language="Javascript">function toggleDisplay(id) { document.getElementById(id).style.display = (document.getElementById(id).style.display == "block") ? "none" : "block"; }</script>'."\n$out";
}
生成此警告。 警告:preg_replace():不再支持/ e修饰符,而是使用preg_replace_callback
删除&#34; e&#34;在第一个&#34; preg_replace&#34;中,打破了javascript的事情。我也试过了一些preg_replace_callback的东西。
我一直在尝试使用此链接Replace preg_replace() e modifier with preg_replace_callback来帮助我理解已破坏的内容,但我认为我的问题因javascript而变得复杂。
关于我的代码,我希望有人可以告诉我这个问题吗?
提前致谢。
答案 0 :(得分:0)
e
修饰符位于您的第一个$out
变量中。要对其进行转换,您需要正确使用preg_replace_callback()
:
$out = preg_replace_callback('/([ \t]*)(\[[^\]]+\][ \t]*\=\>[ \t]*[a-z0-9 \t_]+)\n[ \t]*\(/iU', "callbackFunction", $out);
function callbackFunction($matches) {
return "'".$matches[1]."<a href=\"javascript:toggleDisplay(\''.(\$id = substr(md5(rand().'".$matches[0]."'), 0, 7)).'\');\">".$matches[2]."</a><div id=\"'.\$id.'\" style=\"display: none;\">'"
}
在preg_replace_callback中我们使用callbackFunction
定义第二个参数,解析该字符串以调用该函数并传递带匹配的数组。因此,替换位于callbackFunction()
函数中,匹配为matches[X]
。
更多信息:
祝你好运!答案 1 :(得分:0)
这是original和Christian's fix的组合。
function print_r_tree($data)
{
// capture the output of print_r
$out = print_r($data, true);
// replace something like '[element] => <newline> (' with <a href="javascript:toggleDisplay('...');">...</a><div id="..." style="display: none;">
$out = preg_replace_callback('/([ \t]*)(\[[^\]]+\][ \t]*\=\>[ \t]*[a-z0-9 \t_]+)\n[ \t]*\(/iU', 'print_r_tree_callback', $out);
// replace ')' on its own on a new line (surrounded by whitespace is ok) with '</div>
$out = preg_replace('/^\s*\)\s*$/m', '</div>', $out);
// print the javascript function toggleDisplay() and then the transformed output
return '<script language="Javascript">function toggleDisplay(id) { document.getElementById(id).style.display = (document.getElementById(id).style.display == "block") ? "none" : "block"; }</script>'."\n$out";
}
function print_r_tree_callback($matches) {
$id = substr(md5(rand().$matches[0]), 0, 7);
return "$matches[1]<a href=\"javascript:toggleDisplay('$id');\">$matches[2]</a><div id='$id' style=\"display: none;\">";
}