PHP-你能给一个变量分配一个成员函数吗


PHP - Can you assign a member function to a variable?

在PHP5中,变量可以作为函数1进行评估,例如:

function myFunc() {
   echo "whatever";
}
$callableFunction = 'myFunc';
$callableFunction(); // executes myFunc()

是否有任何语法可以将对象成员函数分配给变量,例如:

class MyClass {
    function someCall() {
        echo "yay";
    }
}
$class = new MyClass();
// what I would like:
$assignedFunction = $class->someCall; // but I tried and it returns an error
$memberFunc = 'someCall';
$class->$memberFunc(); // I know this is valid, but I want a single variable to be able to be used to call different functions - I don't want to have to know whether it is part of a class or not.
// my current implementation because I don't know how to do it with anonymous functions:
$assignedFunction = function() { return $class->someCall(); } // <- seems lengthy; would be more efficient if I can just assign $class->someCall to the variable somehow?
$assignedFunction(); // I would like this to execute $class->someCall()

有一种方法,但对于php5.4及以上版本。。。

class MyClass {
    function someCall() {
        echo "yay";
    }
}
$obj = new Myclass();
$ref = array($obj, 'someCall');
$ref();

嗯。。实际上它也适用于静态,只需使用名称引用即可。。

class MyClass {
    static function someCall2() {
        echo "yay2";
    }
}
$ref = array('MyClass', 'someCall2');
$ref();

对于非静态,这种表示法也适用。它创建该类的一个临时实例。因此,这就是您所需要的,只需要php5.4及以上版本)

上面的PHP 5.4解决方案很好。如果你需要PHP 5.3,我认为你不能比匿名函数方法做得更好,但你可以把它包装成一个与PHP 5.4方法非常相似的函数:

function buildCallable($obj, $function)
{
    return function () use ($obj, $function) {
        $args = func_get_args();
        return call_user_func_array(array($obj, $function), $args);
    };
}
//example
class MyClass
{
    public function add($x, $y)
    {
        return $x + $y;
    }
    public static function multiply($x, $y)
    {
        return $x * $y;
    }
}
//non-static methods
$callable = buildCallable(new MyClass(), 'add');
echo $callable(32, 10);
//static methods
$callable = buildCallable('MyClass', 'multiply');
echo $callable(21, 2);

这应该适用于任何(公开可见的)方法的任何数量的参数。