<?php
$name = new class {
public function __construct()
{
echo 'hello world';
}
};
结果仅显示一行 hello world
参数可以直接设置在匿名类中当做构造函数的参数,如下代码:
<?php
$name = new class('hello world') {
public function __construct(string $name)
{
echo $name;
}
};
匿名类的继承:
匿名类继承普通类
匿名类继承接口
匿名类继承普通类
匿名类在继承方面与命名类相同,一样可以继承父类及父类的方法,如下代码:
<?php
//构造函数的参数。
class User
{
protected $number;
public function __construct()
{
echo "I am parent class constructor";
}
public function getNumber() : float
{
return $this->num;
}
}
//匿名类继承Info类
$number = new class(5) extends User
{
public function __construct(float $num)
{
parent::__construct();
$this->num = $num;
}
};
echo $number->getNumber();
<?php
interface Info
{
public function __construct(string $name, string $address);
public function getName() : string;
public function getAddress() : string;
}
// 修改后的User类
class User
{
protected $number;
protected $name;
protected $address;
public function __construct()
{
echo "I am parent class constructor";
}
public function getNumber() : float
{
return $this->num;
}
}
$info = new class('revin', 'China') extends User implements Info
{
public function __construct(string $name, string $address)
{
$this->name = $name;
$this->address = $address;
}
public function getName() : string
{
return $this->name;
}
public function getAddress() : string
{
return $this->address;
}
};
echo $info->getName() . ' ' . $info->getAddress();
输出结果:
revin China
匿名嵌套在一个类中
匿名类可以嵌套在一个类中使用。
class Math
{
public $first_number = 10;
public $second_number = 20;
protected function add() : float
{
return $this->first_number + $this->second_number;
}
public function multiply_sum()
{
return new class() extends Math
{
public function multiply($third_number) : float
{
return $this->add() * $third_number;
}
};
}
}
$math = new Math();
echo $math->multiply_sum()->multiply(2);