我从未见过属性和方法是私有或受保护的单一特征。
每次使用特征时,我都会观察到声明到任何特征中的所有属性和方法始终都是公共的。
特征也可以拥有具有私有和受保护可见性的属性和方法吗?如果是,如何在类内/其他特征内访问它们?如果不是,为什么?
特征可以在其中定义/声明构造函数和析构函数吗?如果是,如何在类中访问它们?如果不是,为什么?
特征可以有常量吗,我的意思是像具有不同可见性的类常量一样?如果是,如何进入班级/其他特征?如果不是,为什么?
特征也可以具有具有私有和受保护可见性的属性和方法。您可以访问它们,就像它们属于类本身一样。没有什么区别。
Traits 可以有构造函数和析构函数,但它们不是针对特征本身,而是针对使用该特征的类。
特征不能有常数。 PHP 7.1.0 版本之前没有私有或受保护的常量。
trait Singleton{
//private const CONST1 = 'const1'; //FatalError
private static $instance = null;
private $prop = 5;
private function __construct()
{
echo "my private construct<br/>";
}
public static function getInstance()
{
if(self::$instance === null)
self::$instance = new static();
return self::$instance;
}
public function setProp($value)
{
$this->prop = $value;
}
public function getProp()
{
return $this->prop;
}
}
class A
{
use Singleton;
private $classProp = 5;
public function randProp()
{
$this->prop = rand(0,100);
}
public function writeProp()
{
echo $this->prop . "<br/>";
}
}
//$a1 = new A(); //Fatal Error too private constructor
$a1 = A::getInstance();
$a1->writeProp();
echo $a1->getProp() . "<br/>";
$a1->setProp(10);
$a1->writeProp();
$a1->randProp();
$a1->writeProp();
$a2 = A::getInstance();
$a2->writeProp();
$a2->randProp();
$a2->writeProp();
$a1->writeProp();