首先,我想测试一个函数:
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个必需参数,所有其他参数都是可选的(它们转到调用方法本身)。但如果这些参数发生了变化,就无法收回!
答案 0 :(得分:2)
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);
不,不,抱歉。
通过引用传递的呼叫时间仍适用于这些古老的版本,因此请随意使用它。
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
函数中的引用,您会得到一个充满引用的数组,这已经足够了;你不需要通过引用操作参考来获得一个充满引用的数组。
答案 1 :(得分:0)
我解决了它,无论版本如何:
public static function makePublicAndCall ($objectInstance, $methodname, array &$params = array())
{
$ref = new ReflectionMethod (get_class($objectInstance), $methodname);
$ref->setAccessible(true);
return $ref->invokeArgs ($objectInstance, array(&$params));
}
主叫:
::makePublicAndCall ($object, 'testMe', $output);
编辑:无论版本如何,另一种解决方案,但我打赌你会把你的帽子扔到场上:
public static function makeStaticMethodPublicAndCall ($className, $method, &$params1 = null, &$params2 = null, &$params3 = null, &$params4 = null)
{
$className = new ReflectionClass($className);
$method = $className->getMethod($method);
$method->setAccessible(true);
return $method->invokeArgs (null, array(&$params1, &$params2, &$params3, &$params4));
}
.
.
.
::makeStaticMethodPublicAndCall ('MyClass', 'myMethod', $param1, $param2);