这是一个组成的例子,当有很多参数时它变得更有用。
这会让来电者使用new Person("Jim", 1950, 10, 2)
或new Person("Jim", datetimeobj)
。我知道可选参数,这不是我在这里寻找的。
在C#中,我可以这样做:
public Person(string name, int birthyear, int birthmonth, int birthday)
:this(name, new DateTime(birthyear, birthmonth, birthday)){ }
public Person(string name, DateTime birthdate)
{
this.name = name;
this.birthdate = birthdate;
}
我可以在PHP中做类似的事情吗?类似的东西:
function __construct($name, $birthyear, $birthmonth, $birthday)
{
$date = new DateTime("{$birthyear}\\{$birthmonth}\\{$birthyear}");
__construct($name, $date);
}
function __construct($name, $birthdate)
{
$this->name = $name;
$this->birthdate = $birthdate;
}
如果不可能,那么什么是好的选择?
答案 0 :(得分:6)
为此,我将使用命名/替代构造函数/工厂或其他任何你想要称之为的东西:
class Foo {
...
public function __construct($foo, DateTime $bar) {
...
}
public static function fromYmd($foo, $year, $month, $day) {
return new self($foo, new DateTime("$year-$month-$day"));
}
}
$foo1 = new Foo('foo', $dateTimeObject);
$foo2 = Foo::fromYmd('foo', 2012, 2, 25);
应该有一个规范的构造函数,但是你可以拥有尽可能多的替代构造函数,这些构造函数都是方便的包装器,它们都引用了规范的构造函数。或者,您可以在通常不在常规构造函数中设置的这些替代构造函数中设置替代值:
class Foo {
protected $bar = 'default';
public static function withBar($bar) {
$foo = new self;
$foo->bar = $bar;
return $foo;
}
}
答案 1 :(得分:1)
它不完全相同,但您可以在构造函数中使用多个参数进行操作,计算它们或检查它们的类型并调用相应的函数。例如:
class MultipleConstructor {
function __construct() {
$args = func_get_args();
$construct = '__construct' . func_num_args();
if (method_exists($this, $construct))
call_user_func_array(array($this, $construct), $args);
}
private function __construct1($var1)
{
echo 'Constructor with 1 argument: ' . $var1;
}
private function __construct2($var1, $var2)
{
echo 'Constructor with 2 arguments: ' . $var1 . ' and ' . $var2;
}
}
$pt = new MultipleConstructor(1);
$pt = new MultipleConstructor(2,3);