将参数传递给可调用函数

myo*_*yol 4 php

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

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

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

public function testProg($param) {
    $this->testCall([$this, 'testFunc']);
}
Run Code Online (Sandbox Code Playgroud)

我试过了

$this->testCall([[$this, 'testFunc'], $param]);
Run Code Online (Sandbox Code Playgroud)

$this->testCall([$this, 'testFunc($param)']);
Run Code Online (Sandbox Code Playgroud)

$this->testCall('TestClass::testFunc($param));
Run Code Online (Sandbox Code Playgroud)

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

fus*_*n3k 6

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

protected function testCall( $testFunc )
{
    call_user_func( array( $this, $testFunc ) );
}
Run Code Online (Sandbox Code Playgroud)

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

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

(...)

$this->testCall( 'testFunc', $arg );
Run Code Online (Sandbox Code Playgroud)

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

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

(...)

$this->testCall( 'testFunc', array( $arg1, $arg2 ) );
Run Code Online (Sandbox Code Playgroud)

编辑:

上面的代码工作正常,但是 - 在评论中很快就注意到了 - 前面的代码:

protected function testCall( callable $testFunc, $arg )
Run Code Online (Sandbox Code Playgroud)

在上述情况下不起作用.

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

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

(...)

$this->testCall( array( $this, 'testFunc'), $arg );
Run Code Online (Sandbox Code Playgroud)