PHP类构造有三个可选参数,但需要一个?

far*_*ace 9 php parameters constructor class optional-parameters

基本上我理解这个......

class User
{
    function __construct($id) {}
}

$u = new User(); // PHP would NOT allow this
Run Code Online (Sandbox Code Playgroud)

我希望能够使用以下任何参数进行用户查找,但至少需要一个参数,同时保留PHP提供的默认错误处理,如果没有传递参数...

class User
{
    function __construct($id=FALSE,$email=FALSE,$username=FALSE) {}
}

$u = new User(); // PHP would allow this
Run Code Online (Sandbox Code Playgroud)

有没有办法做到这一点?

Gum*_*mbo 24

您可以使用数组来处理特定参数:

function __construct($param) {
    $id = null;
    $email = null;
    $username = null;
    if (is_int($param)) {
        // numerical ID was given
        $id = $param;
    } elseif (is_array($param)) {
        if (isset($param['id'])) {
            $id = $param['id'];
        }
        if (isset($param['email'])) {
            $email = $param['email'];
        }
        if (isset($param['username'])) {
            $username = $param['username'];
        }
    }
}
Run Code Online (Sandbox Code Playgroud)

以及如何使用它:

// ID
new User(12345);
// email
new User(array('email'=>'user@example.com'));
// username
new User(array('username'=>'John Doe'));
// multiple
new User(array('username'=>'John Doe', 'email'=>'user@example.com'));
Run Code Online (Sandbox Code Playgroud)