将参数传递给可调用函数

时间:2016-02-23 11:52:26

标签: php

我似乎无法让这个工作。我有一个函数,它接受一个我想要调用的参数。

protected function testFunc($param) {
    echo $param;
}

protected function testCall(callable $testFunc) {
    call_user_func($testFunc);
}

public function testProg($param) {
    $this->testCall([$this, 'testFunc']);
}

我试过了

$this->testCall([[$this, 'testFunc'], $param]);

$this->testCall([$this, 'testFunc($param)']);

$this->testCall('TestClass::testFunc($param));

闭包是我唯一的选择吗?或者如何将参数传递给可调用函数

4 个答案:

答案 0 :(得分:5)

要调用方法(在您的示例function(s)中是类方法),您必须使用以下语法:

protected function testCall( $testFunc )
{
    call_user_func( array( $this, $testFunc ) );
}

要传递参数,您必须使用以下语法:

protected function testCall( $testFunc, $arg )
{
    call_user_func( array( $this, $testFunc ), $arg );
}

(...)

$this->testCall( 'testFunc', $arg );

要传递多个参数,您必须使用call_user_func_array

protected function testCall( $testFunc, array $args )
{
    call_user_func_array( array( $this, $testFunc ), $args );
}

(...)

$this->testCall( 'testFunc', array( $arg1, $arg2 ) );

编辑:

上面的代码运行正常,但是 - 正如评论中快速记录的那样 - 前面的代码:

protected function testCall( callable $testFunc, $arg )

在上述情况下不起作用。

要使用它,必须在以下方法中修改上述方法和调用:

protected function testCall( callable $testFunc, $arg )
{
    call_user_func( $testFunc , $arg );
}

(...)

$this->testCall( array( $this, 'testFunc'), $arg );

答案 1 :(得分:2)

修改您的代码,如下所示

protected function testFunc($param) {
    echo $param;
}

protected function testCall(callable $testFunc, $param) {
    call_user_func($testFunc, $param);
}

public function testProg($param) {
    $this->testCall([$this, 'testFunc'], $param);
}

这样,第一个函数(testCall)接受第二个函数的参数(testFunc)。

此代码仅在您传递单个参数时有效。如果您希望传递数组,请使用call_user_func_array

答案 2 :(得分:0)

如果您知道参数的数量 - 传递给call_user_func

call_user_func($func_name, $arg1, $arg2)

如果您不知道参数的数量 - 传递给call_user_func_array

call_user_func_array($func_name, [$arg1, $arg2, $arg3]);

答案 3 :(得分:0)

在静态上下文中,程序为:

class Foo {

    public static function testFunc($text) {
        echo "Hello" . $text;
    }

    public static function testCall(callable $function, $parameter) {
        call_user_func($function, $parameter);
    }

    public static function testProg($parameter) {
        self::testCall([self::class, 'testFunc'], $parameter);
    }

}

Foo::testProg(" World");

Source