为什么人们更喜欢call_user_func_array而不是定期调用函数?

2022-08-30 10:34:20
function foobar($arg, $arg2) {
    echo __FUNCTION__, " got $arg and $arg2\n";
}
foobar('one','two'); // OUTPUTS : foobar got one and two 

call_user_func_array("foobar", array("one", "two")); // // OUTPUTS : foobar got one and two 

既然我可以看到常规的一个和方法都输出相同,那么为什么人们更喜欢它呢?call_user_func_array

在哪种情况下,常规调用方法会失败,但不会?call_user_func_array

我能得到这样的例子吗?

谢谢


答案 1
  1. 您有一个数组,其中包含长度不确定的函数的参数。

    $args = someFuncWhichReturnsTheArgs();
    
    foobar( /* put these $args here, you do not know how many there are */ );
    

    替代方案是:

    switch (count($args)) {
        case 1:
            foobar($args[0]);
            break;
        case 2:
            foobar($args[0], $args[1]);
            break;
        ...
    }
    

    这不是一个解决方案。

这种情况的用例可能很少见,但是当您遇到它时,您需要它。


答案 2

在哪种情况下,常规调用方法将失败,但call_user_func_array不会?

如果您事先不知道要传递给函数的参数数量,建议使用 ;唯一的选择是一个语句或一堆条件来完成预定义的可能性子集。call_user_func_array()switch

另一种情况是,要调用的函数事先不知道,例如 ;这也是您可以使用call_user_func()的地方array($obj, 'method')

$fn = array($obj, 'method');
$args = [1, 2, 3];
call_user_func_array($fn, $args);

请注意,使用函数不能用于调用私有或受保护的方法。call_user_func_*

所有这些的替代方法是让你的函数接受数组作为其唯一参数:

myfn([1, 2, 3]);

但是,这消除了对函数声明中的每个参数进行类型提示的可能性,并且通常被视为代码异味。


推荐