我正在寻找一种方法来设置params的值,无论是传递还是预设。我尝试使用func_get_params()
。虽然这确实返回了传入的值,但它不会显示值是否已预先设置。
public function __construct($host = 'null', $user = null, $password = null, $database = null){
var_dump(func_get_args());
die();
$this->mysqli = new mysqli($host, $user, $password, $database);
if ($this->mysqli->connect_errno) {
echo("Connection failed: ". $mysqli->connect_error);
exit();
}
}
如果没有传入任何值,则获取空数组输出,而不是空值。如果我将nulls
转换为字符串,也会发生这种情况。
是否还有func_get_args
的替代品,它还会返回预先设定的值?
答案 0 :(得分:1)
相当详细,您可以看到为什么使用命名参数或更有趣:
<?php
class Foo {
function __construct($host = 'null', $user = null, $password = null, $database = null){
//getParameters
$ref = new ReflectionMethod(__CLASS__,__FUNCTION__);
$args = array();
foreach($ref->getParameters() as $param){
$args[] = $param->getDefaultValue();
}
foreach(func_get_args() as $key => $arg){
$args[$key] = $arg;
}
var_dump($args);
}
}
new Foo();
/*
array(4) {
[0]=>
string(4) "null"
[1]=>
NULL
[2]=>
NULL
[3]=>
NULL
}
*/
new Foo('foo','bar');
/*
array(4) {
[0]=>
string(3) "foo"
[1]=>
string(3) "bar"
[2]=>
NULL
[3]=>
NULL
}
*/