PHP列出具有初始值的函数参数

时间:2013-07-22 00:07:36

标签: php list function arguments

所以我知道你可以编写一个函数参数的代码来获得一个默认值,如果在调用这个函数时没有提供它:

我添加了一个如何实现接口的示例:

interface my_interface {

  function my_function();

}

class my_class implements my_interface {

  # because the interface calls for a function with no options an error would occur
  function my_function($arg_one, $arg_two = 'name') {
    ...
  }

}


class another_class implements my_interface {

  # this class would have no errors and complies to the implemented interface
  # it also can have any number of arguments passed to it
  function my_function() {

    list($arg_one, $arg_two, $arg_three) = func_get_args();

    ...

  }

}

但是,我喜欢让我的函数调用func_get_args()方法,以便在类中使用它时我可以从接口实现函数。有没有办法使用list()函数,以便我可以为变量分配一个默认值,或者我需要以冗长和丑陋的方式做到这一点?我现在拥有的是:

function my_function() {

  list($arg_one, $arg_two) = func_get_args();
  if(is_null($arg_two)) $arg_two = 'name';

  ...

}

我想要的是完成同样的事情,但不是那么冗长。也许是这样的,但当然不会标出错误:

function my_function() {

  # If $arg_two is not supplied would its default value remain unchanged?
  # Thus, would calling the next commented line would be my solution?
  # $arg_two = 'name';
  list($arg_one, $arg_two = 'name') = func_get_args();

  ...

}

1 个答案:

答案 0 :(得分:3)

您不能对list语言构造使用默认值。但是,您可以使用自PHP 5.3以来可用的修改后的三元运算符:

function my_function() {
  $arg_one = func_get_arg(0) ?: 'default_one';
  $arg_two = func_get_arg(1) ?: 'name';
  // ...
}

但是,请注意隐式类型转换。在我的示例中,my_function(0, array())的行为与my_function('default_one', 'name')相同。