问题
最近写代码发现PHP的self关键字修饰的属性在子类中被重写但其值不变,代码示例如下:
class Animal
{
public static $name = 'dog';//默认处理狗
public function paly()
{
echo 'I\'m paly with '.self::$name;
}
}
class Cat extends Animal
{
public static $name = 'cat';//默认处理狗
}
$cat = new Cat();
$cat->play();//print-- I'm paly with dog
很多人会以为输出 I'm paly with cat
,但并不是,这是为什么呢?
是因为self关键字会在编译时而非运行时确定其作用域。对于这个问题PHP官方在5.3做了弥补,只需要用static替换self就可以了。
class Animal
{
public static $name = 'dog';//默认处理狗
public function paly()
{
echo 'I\'m paly with '.static::$name;
}
}
class Cat extends Animal
{
public static $name = 'cat';//默认处理狗
}
$cat = new Cat();
$cat->play();//print-- I'm paly with cat