在构造函数内部或外部声明变量之间的区别?

时间:2013-01-14 00:43:37

标签: php

例如两者之间有区别吗?一个人更喜欢另一个吗?

Class Node{    
    public $parent = null;
    public $right = null;
    public $left = null;            
    function __construct($data){
        $this->data = $data;                    
    }
}

Class Node{     
    function __construct($data){
        $this->data = $data;      
        $this->parent = null;       
        $this->left = null;       
        $this->right = null;               
    }
}

2 个答案:

答案 0 :(得分:6)

存在一些差异,是的:

#1:如果您只在构造函数中定义它们,则不会正式认为该类具有这些属性

Example

class Foo {
    public $prop = null;
}

class Bar {
    public function __construct() {
        $this->prop = null;
    }
}

var_dump(property_exists('Foo', 'prop')); // true
var_dump(property_exists('Bar', 'prop')); // false

$foo = new Foo;
$bar = new Bar;

var_dump(property_exists($foo, 'prop')); // true
var_dump(property_exists($bar, 'prop')); // true

除了不同的运行时行为之外,使用构造函数向类添加属性是不好的形式。如果您希望此类的所有对象具有该属性(实际上应该是所有时间),那么您还应该正式声明它们。 PHP允许你逃避这一事实并不能成为偶然的类设计的借口。

#2:您无法从构造函数外部将属性初始化为非常量值

示例:

class Foo {
    public $prop = 'concatenated'.'strings'; // does not compile
}
有关此约束的

More examples在PHP手册中提供。

#3:对于在构造函数内初始化的值,如果派生类省略调用父构造函数,则结果可能是意外的

Example

class Base {
    public $alwaysSet = 1;
    public $notAlwaysSet;

    public function __construct() {
        $this->notAlwaysSet = 1;
    }
}

class Derived extends Base {
    public function __construct() {
        // do not call parent::__construct()
    }
}

$d = new Derived;
var_dump($d->alwaysSet); // 1
var_dump($d->notAlwaysSet); // NULL

答案 1 :(得分:0)

我更喜欢在构造函数之外声明它们,原因有几个。

  1. 让我的构造者保持清洁
  2. 所以我可以正确记录它们,添加类型信息等
  3. 所以我可以指定访问修饰符,使它们成为私有或受保护,但很少公开
  4. 所以如果派生类没有调用parent :: __ construct()
  5. ,它们也会被声明和/或初始化

    即使我需要将它们初始化为非常量值,我也会在构造函数之外声明它们并在构造函数中初始化它们。