php,invokeArgs:参数已更改,如何返回?

首先,我想测试一个函数:

private function testMe (array &$output)
{
    $output['a'] = 3; // $$$$$output gets changes
}

我做了一个公开的方法,并致电:

public static function makePublicAndCall ($objectInstance, $methodname)
{
    $ref = new ReflectionMethod (get_class($objectInstance), $methodname);
    $ref->setAccessible(true);

    $params = array();
    for ($i = 2+1; $i <= func_num_args(); $i++)
    {
        $params[] = func_get_arg($i-1);
    }
    $result = $ref->invokeArgs ($objectInstance, $params);
    for ($i = 2+1; $i <= func_num_args(); $i++)
    {
        // write back $$$$here I would need something like "func_get_arg($i-1)"
    }
    return $result;
}

所以,使用它:

$output = array();
::makePublicAndCall ($object, 'testMe', $output);
// $output OMG output remains the same! It must not be empty but [a] => 3

看到问题了吗?此方法有2个必需参数,所有其他参数都是可选的(它们转到调用方法本身).但是如果那些参数改变了,就无法收回!

最佳答案 适用于PHP 5.6及以上版本

PHP 5.6引入了可变参数,它也可以通过引用接受参数.

function makePublicAndCall ($objectInstance, $methodname, &...$args) { }

现在只需将参数填充的$args数组转发给$objectInstance-> $methodname

function makePublicAndCall ($objectInstance, $methodname, &...$args) {
    $ref = new ReflectionMethod (get_class($objectInstance), $methodname);
    $ref->setAccessible(true);
    return $ref->invokeArgs($objectInstance, $args);
}

makePublicAndCall($object, 'testMe', $output);

适用于PHP 5.4和5.5版本

不,方式,抱歉.

对于PHP 5.3及更低版本

通过引用传递的呼叫时间仍然适用于这些古老版本,因此请随意使用它.

function makePublicAndCall ($objectInstance, $methodname) {
    $ref = new ReflectionMethod (get_class($objectInstance), $methodname);
    $ref->setAccessible(true);
    return $ref->invokeArgs ($objectInstance, $args);
}
@makePublicAndCall($object, 'testMe', &$output); // note the & here...

此外,您不必期望testMe函数中的引用,您获得一个填充引用的数组,这就足够了;你不需要通过ref操作引用来获得一个填充了引用的数组.

点赞