5

我有一堂课:

class Foo {
    // Accept an assoc array and appends its indexes to the object as property
    public function extend($values){
        foreach($values as $var=>$value){
            if(!isset($this->$var))
                $this->$var = $value;
        }
    }
}

$Foo = new Foo;
$Foo->extend(array('name' => 'Bee'));

现在该$Foo对象有一个name带有 value 的公共属性Bee

如何更改extend函数以使变量私有?

编辑 使用私有数组是另一种方式,绝对不是我的答案。

4

4 回答 4

4

你可以做这样的事情。

__get函数将检查给定的密钥是否设置在私有属性中。

class Foo {

private $data = array();

// Accept an array and appends its indexes to the object as property
public function extend($values){
    foreach($values as $i=>$v){
        if(!isset($this->$i))
            $this->data[$i] = $v;
    }
}

public function __get($key) {
    if (isset($this->data[$key])) {
        return $this->data[$key];
    }
}

}
于 2012-11-16T10:53:00.290 回答
3

只是简单,糟糕的设计。

在运行时添加私有 [!] 字段的目的是什么?现有的方法不能依赖这些添加的字段,并且您会弄乱对象功能。

如果你想让你的对象表现得像一个 hashmap [即你可以调用$obj -> newField = $newValue],考虑使用魔法__get__set方法。

于 2012-11-16T10:56:21.780 回答
0

我会使用整个数组:

$Foo = new Foo;
$Foo->setOptions(array('name' => 'Bee'));

class Foo {
    private $options = array();

    public function setOptions(array $options) {
        $this->options = $options;
    }

    public function getOption($value = false) {
        if($value) {
            return $this->options[$value];    
        } else {
            return $this->options;
        }
    }
}

然后,当您需要其他值时,您有更多选择,您可以遍历数组并使用它们。在大多数情况下,当您有单个变量时,它有点复杂。

于 2012-11-16T10:53:37.913 回答
0

这是一种基于访问器的方法:

class Extendible
{
    private $properties;

    public function extend(array $properties)
    {
        foreach ($properties as $name => $value) {
            $this->properties[$name] = $value;
        }
    }

    public function __call($method, $parameters)
    {
        $accessor = substr($method, 0, 3);
        $property = lcfirst(substr($method, 3));
        if (($accessor !== 'get' && $accessor !== 'set')
                || !isset($this->properties[$property])) {
            throw new Exception('No such method!');
        }
        switch ($accessor) {
            case 'get':
                return $this->getProperty($property);
                break;
            case 'set':
                return $this->setProperty($property, $parameters[0]);
                break;
        }
    }

    private function getProperty($name)
    {
        return $this->properties[$name];
    }

    private function setProperty($name, $value)
    {
        $this->properties[$name] = $value;
        return $this;
    }
}

演示:

try {
    $x = new Extendible();
    $x->extend(array('foo' => 'bar'));
    echo $x->getFoo(), PHP_EOL; // Shows 'bar'
    $x->setFoo('baz');
    echo $x->getFoo(), PHP_EOL; // Shows 'baz'
    echo $x->getQuux(), PHP_EOL; // Throws Exception
} catch (Exception $e) {
    echo 'Error: ', $e->getMessage(), PHP_EOL;
}
于 2012-11-16T11:10:55.863 回答