简单的问题,但很难回答?我在类方法中有以下匿名函数:
$unnest_array = function($nested, $key) {
$unnested = array();
foreach ($nested as $value) {
$unnested[] = (object) $value[$key];
}
return $unnested;
};
在同一个类方法中,我有这个数组,其中保存匿名函数。也就是说,我使用inline
create_function()
创建了一个新的匿名函数,我希望使用已经定义的匿名函数$unnest_array()
。有可能吗?$this->_funcs = array(
'directors' => array(
'func' => create_function('$directors', 'return $unnest_array($directors, "director");'),
'args' => array('directors')
)
);
目前我得到的是“未定义变量:unnest_数组”。帮忙?
最佳答案
你为什么一开始就使用create_function
?闭包完全替换了create_function
,使得它在5.3之后的所有php版本中基本上都是过时的。似乎您试图通过将第二个参数固定为$unnest_array
来partially apply"director"
。
除非我误解了您的意思,否则您应该能够通过使用闭包/匿名函数(未经测试)获得相同的结果:
$this->_funcs = array(
'directors' => array(
'func' => function($directors) use ($unnest_array)
{
return $unnest_array($directors, "director");
},
'args' => array('directors')
)
);
use ($unnest_array)
子句是访问闭包的父作用域中的局部变量所必需的。关于php - 在匿名函数内调用匿名函数(盗用),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/11924916/