特征是否可以具有具有私有和受保护可见性的属性和方法?特征可以有构造函数,析构函数和类常量吗?

我从未见过一个属性和方法是私有或受保护的单一特征。

每次使用特征时,我都观察到声明为任何特征的所有属性和方法始终是公开的。

特征是否也可以具有具有私有和受保护可见性的属性和方法?如果是,如何在类内/其他特征内访问它们?如果不是,为什么?

特征是否可以在其中定义/声明构造函数和析构函数?如果是,如何在类中访问它们?如果不是,为什么?

特征可以有常量吗,我的意思是像具有不同可见性的类常量一样?如果是,如何在一个类/其他一些特征内部?如果不是,为什么?

特别提示:请用合适的例子来回答这个问题,以证明这些概念。


答案 1

特征也可以具有具有私有和受保护可见性的属性和方法。您可以像访问它们一样访问它们,就像它们属于类本身一样。没有区别。

特征可以有构造函数和析构函数,但它们不是针对特征本身的,而是针对使用该特征的类的。

特征不能有常量。在 7.1.0 版之前的 PHP 中没有私有或受保护的常量。

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();

答案 2

推荐