23

我想迭代一个数组并根据每个项目动态创建函数。我的伪代码:

$array = array('one', 'two', 'three');

foreach ($array as $item) {
    public function $item() {
        return 'Test'.$item;
    }
}

我该怎么做呢?

4

2 回答 2

33

您可以使用魔术方法代替“创建”函数,__call()这样当您调用“不存在”的函数时,您可以处理它并执行正确的操作。

像这样的东西:

class MyClass{
    private $array = array('one', 'two', 'three');

    function __call($func, $params){
        if(in_array($func, $this->array)){
            return 'Test'.$func;
        }
    }
}

然后你可以调用:

$a = new MyClass;
$a->one(); // Testone
$a->four(); // null

演示:http: //ideone.com/73mSh

编辑:如果您使用的是 PHP 5.3+,您实际上可以在您的问题中做您想做的事情!

class MyClass{
    private $array = array('one', 'two', 'three');

    function __construct(){
        foreach ($this->array as $item) {
            $this->$item = function() use($item){
                return 'Test'.$item;
            };
        }
    }
}

这确实有效,只是你不能$a->one()直接调用,你需要将它保存为变量

$a = new MyClass;
$x = $a->one;
$x() // Testone

演示:http ://codepad.viper-7.com/ayGsTu

于 2012-10-12T22:44:17.507 回答
4
class MethodTest
{
    private $_methods = array();

    public function __call($name, $arguments)
    {
        if (array_key_exists($name, $this->_methods)) {
            $this->_methods[$name]($arguments);
        }
        else
        {
            $this->_methods[$name] = $arguments[0];
        }
    }
}

$obj = new MethodTest;

$array = array('one', 'two', 'three');

foreach ($array as $item) 
{
    // Dynamic creation
    $obj->$item((function ($a){ echo "Test: ".$a[0]."\n"; }));
    // Calling
    $obj->$item($item);
}

上面的示例将输出:

Test: one
Test: two
Test: three
于 2015-06-19T15:45:07.940 回答