PHP中的动态类方法调用

dl5txlt9  于 2022-12-17  发布在  PHP
关注(0)|答案(8)|浏览(160)

有没有一种方法可以在PHP中动态调用同一个类中的方法?我没有正确的语法,但我希望做一些类似的事情:

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

ibps3vxo1#

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

$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

yhuiod9q

yhuiod9q2#

您可以在PHP中使用重载:Overloading

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
s6fujrry

s6fujrry3#

只需省略大括号:

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

oyt4ldly4#

您还可以使用call_user_func()call_user_func_array()

tyg4sfes

tyg4sfes5#

如果你在PHP的类中工作,那么我建议你使用PHP5中重载的__call函数,你可以找到引用here
基本上,__call对动态函数的作用与__set和__get对OO PHP5中的变量的作用相同。

9ceoxa92

9ceoxa926#

在我的情况下。

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

使用PHP SOAP.

kwvwclae

kwvwclae7#

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

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"

编辑:我已经编辑了代码,现在它与PHP5.3兼容。

35g0bw71

35g0bw718#

经过这么多年仍然有效!如果是用户定义的内容,请确保您修剪$methodName。我无法让$this->$methodName工作,直到我注意到它有一个前导空格。

相关问题