在JavaScript中,您可以这样做:
var Module = (function () {
var functions = [method1, method2]; // array of functions to execute
function method1 () {
console.log('calling method1');
}
function method2 () {
console.log('calling method2');
}
function method3 () {
console.log('calling method3'); // not called
}
function add (fn) {
functions.push(fn); // add new function to the array
}
function printt () {
for (var i in functions) functions[i](); // execute functions in the array
}
return {
add: add,
printt: printt
};
})();
Module.add(function () {
console.log('calling anonymous function');
});
Module.printt();
// calling method1
// calling method2
// calling anonymous function在(1)要执行的方法存储在数组(2)中,并且可以将新的函数/方法添加到数组中,以便在运行printt方法时执行数组中的所有函数,是否可以这样做?
class Module {
protected $functions = [];
public function __construct () {
// ?
}
protected function method1 () {
echo 'calling method1';
}
protected function method2 () {
echo 'calling method2';
}
protected function method3 () {
echo 'calling method3';
}
public function add ($fn) {
$this->functions[] = $fn;
}
public function printt () {
foreach ($this->functions as $fn) $fn();
}
}
$module = new Module();
$module->add(function () {
echo 'calling anonymous function';
});
$module->printt();发布于 2016-04-13 23:29:20
检查可赎回()中的闭包,检查存在()中对象的方法。
class Module {
protected $functions = ['method1', 'method2'];
// ...
public function printt () {
foreach ($this->functions as $fn) {
if ( is_callable( $fn ) ) {
$fn();
} elseif ( method_exists( $this, $fn ) ) {
$this->$fn();
}
}
}
}与JS有一个不同之处,您需要在对象中通过$this正确引用该方法。
发布于 2016-04-14 00:33:11
另一种方法是将成员方法以可调用的形式添加到函数数组中,而不仅仅是方法名称,然后使用call_user_func执行它们。
class Module {
public function __construct() {
$this->functions = [
[$this, 'method1'],
[$this, 'method2'],
];
}
// ...
public function printt() {
foreach($this->functions as $fn) {
call_user_func($fn);
}
}
}https://stackoverflow.com/questions/36611197
复制相似问题