1

让自己陷入了困境。我们的主机已将 php 升级到 5.4,我们仍在一个通过引用将参数传递给函数的类中运行一些代码(我们没有编写),它看起来像这样:

$func_args = '';

// Make $row[0], $row[1] accessible by using $C1, $C2 etc.
foreach ($row as $k => $v)
{
    ${'C'.($k+1)} = $v;

    $func_args .= "&\$C".($k+1).",";
}

// Give the user a chance to tweak the results with any function of their choice
// tweak functions are registered with $ez_results->register_function('func_name');
if ( is_array($this->tweak_functions) )
{
    // Tweak results with each registered function
    foreach ( $this->tweak_functions as $tweak_function )
    {
        // If function C1, C2, etc exists then run it
        if ( function_exists($tweak_function) )
        {
            eval("$tweak_function(".substr($func_args,0,-1).");");
        }
    }
}

函数在此处的类中进一步注册:

var $tweak_functions = array('tweak_results');

function register_function($function_name)
{
    $this->tweak_functions[] = $function_name;
}

这些函数在外部 PHP 文件中定义,如下所示:

function results_manipulation($news_id,$news_name,$news_seoname,$news_date2,$news_summary,$news_article,$news_url,$image_name,$image_thumb,$news_categories)
{
    global $i;

    if(!empty($image_thumb) && $i < 3 && empty($_GET['pg']) ){
        $image_thumb = '<div class="newsthumb" style="background-image:url('.$image_thumb.')" title="'.$image_name.'"></div>';
    }else{
        $image_thumb = '';
    }

    $i++;
}

我查看了很多类似的问题,并试图找到一种方法来替换代码并保持一切正常,但没有任何成功。谁能指出我正确的方向?

非常感谢

4

3 回答 3

1

我会更改所有调整函数的签名,以在参数列表中包含参考符号并将其从参数列表中删除。

  function someTweakFunction(&$a, &$b, &$c);

如果您可以删除评估代码,那将是一件好事。在这种特殊情况下,它似乎并不危险,但也不需要。您可以改用 call_user_func_array 。

当您构建参数列表时,创建一个参数数组而不是它们的字符串。

$func_args = array();

// Make $row[0], $row[1] accessible by using $C1, $C2 etc.
foreach ($row as $k => $v)
{
    $func_args[] = &$v;
}
if ( is_array($this->tweak_functions) )
{
    // Tweak results with each registered function
    foreach ( $this->tweak_functions as $tweak_function )
    {
        // If function C1, C2, etc exists then run it
        if ( function_exists($tweak_function) )
        {
            call_user_func_array($tweak_function, $func_args);
        }
    }
}
于 2013-08-05T12:52:23.290 回答
1

我遇到了同样的问题(使用 ez_results),我解决了。也许有人会喜欢这个有用的。

这条线

//old    
$func_args .= "&\$C".($k+1).",";

改成:

//new
$func_args .= "\$C".($k+1).",";

此外,您与 ezr->register_function("my_function") 一起使用的功能

//old
my_function($arg1, $arg2, $arg3...)

必须更改(在每个参数前添加“&”):

//new
my_function(&$arg1, &$arg2, &$arg3...)
于 2014-01-27T00:44:38.897 回答
0

我最终完全重写了函数并用重写的代码更新了所有网站。

感谢所有最终提供建议的人,尽管重新编写我们所拥有的只是延长了痛苦:在某个阶段需要完全重写。

于 2013-08-09T14:16:30.783 回答