PHP中的动态类方法调用


Dynamic class method invocation in PHP

有没有一种方法可以为PHP动态调用同一类中的方法?我的语法不正确,但我想做类似的事情:

1
$this->{$methodName}($arg1, $arg2, $arg3);


有多种方法可以做到这一点:

1
2
3
$this->{$methodName}($arg1, $arg2, $arg3);
$this->$methodName($arg1, $arg2, $arg3);
call_user_func_array(array($this, $methodName), array($arg1, $arg2, $arg3));

甚至可以使用反射API http://php.net/manual/en/class.reflection.php


省略大括号:

1
$this->$methodName($arg1, $arg2, $arg3);


您可以在php中使用重载:超载

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
class Test {

    private $name;

    public function __call($name, $arguments) {
        echo 'Method Name:' . $name . ' Arguments:' . implode(',', $arguments);
        //do a get
        if (preg_match('/^get_(.+)/', $name, $matches)) {
            $var_name = $matches[1];
            return $this->$var_name ? $this->$var_name : $arguments[0];
        }
        //do a set
        if (preg_match('/^set_(.+)/', $name, $matches)) {
            $var_name = $matches[1];
            $this->$var_name = $arguments[0];
        }
    }
}

$obj = new Test();
$obj->set_name('Any String'); //Echo:Method Name: set_name Arguments:Any String
echo $obj->get_name();//Echo:Method Name: get_name Arguments:
                      //return: Any String

如果您在php中的类中工作,那么我建议您在php5中使用重载的_uuu调用函数。你可以在这里找到参考资料。

基本上,uuu调用对动态函数的作用就像在oo php5中对变量所做的一样。


也可以使用call_user_func()call_user_func_array()


这么多年后仍然有效!如果$methodname是用户定义的内容,请确保对其进行了修剪。直到我注意到它有一个领先的空间,我才能让$this->methodname工作。


可以使用闭包将方法存储在单个变量中:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
class test{        

    function echo_this($text){
        echo $text;
    }

    function get_method($method){
        $object = $this;
        return function() use($object, $method){
            $args = func_get_args();
            return call_user_func_array(array($object, $method), $args);          
        };
    }
}

$test = new test();
$echo = $test->get_method('echo_this');
$echo('Hello');  //Output is"Hello"

编辑:我已经编辑了代码,现在它与php 5.3兼容。这里的另一个例子


以我为例。

1
$response = $client->{$this->requestFunc}($this->requestMsg);

使用PHP SOAP。