ReflectionMethod::getClosure

(PHP 5 >= 5.4.0, PHP 7, PHP 8)

ReflectionMethod::getClosure返回为该方法动态创建的闭包

描述

public ReflectionMethod::getClosure(?object $object = null): Closure

创建一个将调用该方法的闭包。

参数

object

对于静态方法来说是禁止的,对于其他方法来说是必需的。

返回值

返回新创建的 Closure

错误/异常

如果 objectnull 但该方法为非静态方法,则抛出 ValueError

如果 object 不是声明该方法的类的实例,则抛出 ReflectionException

变更日志

版本 描述
8.0.0 object 现在可以为空。
添加注释

用户贡献的注释 2 个注释

Denis Doronin
11 年前
您可以使用 getClosure() 调用私有方法

<?php

function call_private_method($object, $method, $args = array()) {
$reflection = new ReflectionClass(get_class($object));
$closure = $reflection->getMethod($method)->getClosure($object);
return
call_user_func_array($closure, $args);
}

class
Example {

private
$x = 1, $y = 10;

private function
sum() {
print
$this->x + $this->y;
}

}

call_private_method(new Example(), 'sum');

?>

输出为 11。
okto
8 年前
使用来自另一个类上下文的 method。

<?php

class A {
private
$var = 'class A';

public function
getVar() {
return
$this->var;
}

public function
getCl() {
return function () {
$this->getVar();
};
}
}

class
B {
private
$var = 'class B';
}

$a = new A();
$b = new B();

print
$a->getVar() . PHP_EOL;

$reflection = new ReflectionClass(get_class($a));
$closure = $reflection->getMethod('getVar')->getClosure($a);
$get_var_b = $closure->bindTo($b, $b);

print
$get_var_b() . PHP_EOL;

// 输出:
// class A
// class B
To Top