有没有办法动态调用PHP的同一个类中的方法?我没有正确的语法,但我希望做类似的事情:
$this->{$methodName}($arg1, $arg2, $arg3);
答案 0 :(得分:145)
有多种方法可以做到这一点:
$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 :(得分:10)
只需省略大括号:
$this->$methodName($arg1, $arg2, $arg3);
答案 2 :(得分:8)
您可以在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
答案 3 :(得分:3)
您还可以使用call_user_func()
和call_user_func_array()
答案 4 :(得分:3)
如果你在PHP中的一个类中工作,那么我建议在PHP5中使用重载的__call函数。您可以找到参考here。
基本上__call为动态函数做了__set和__get为OO PHP5中的变量做了什么。
答案 5 :(得分:2)
这些年后仍然有效!如果它是用户定义的内容,请确保修剪$ methodName。我无法让$ this-> $ methodName工作,直到我注意到它有一个前导空格。
答案 6 :(得分:1)
就我而言。
$response = $client->{$this->requestFunc}($this->requestMsg);
使用PHP SOAP。
答案 7 :(得分:1)
您可以使用闭包将方法存储在单个变量中:
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兼容。另一个例子here