PHP bu özelliği uygulamak nasıl?

4 Cevap php

When accessing member that doesn't exist, automatically creates the object.

$obj = new ClassName();
$newObject = $ojb->nothisobject;

Bu mümkün mü?

4 Cevap

Sen kesenine işlevselliği ile bu tür __ get () elde edebilirsiniz

class ClassName
{
function __get($propertyname){
$this->{$propertyname} = new $propertyname();
return $this->{$propertyname}
}
}

Eğer dışarıdan erişebilirsiniz böylece özniteliği halka değiştirildiğinde önceki sonrası örnek de sadece iyi çalışır rağmen.

Eğer demek istediğin lazy initalization, bu yollardan biridir:

class SomeClass
{
    private $instance;

    public function getInstance() 
    {
        if ($this->instance === null) {
            $this->instance = new AnotherClass();
        }
        return $this->instance;
    }
}
$obj = new MyClass();

$something = $obj->something; //instance of Something

: Aşağıdaki Tembel yükleme desen kullanın

<?php

class MyClass
{
    /**
     * 
     * @var something
     */
    protected $_something;

    /**
     * Get a field
     *
     * @param  string $name
     * @throws Exception When field does not exist
     * @return mixed
     */
    public function __get($name)
    {
        $method = '_get' . ucfirst($name);

        if (method_exists($this, $method)) {
            return $this->{$method}();
        }else{
            throw new Exception('Field with name ' . $name . ' does not exist');
        }
    }

    /**
     * Lazy loads a Something
     * 
     * @return Something
     */
    public function _getSomething()
    {
        if (null === $this->_something){
            $this->_something = new Something();
        }

        return $this->_something;
    }
}