在 PHP 中,静态类是不允许被实例化的,也就是说我们不能使用 new
关键字来创建静态类的实例。但是,我们可以使用静态方法和属性。关于静态类的继承和覆盖,有以下规则:
静态属性和方法的继承: 当一个子类继承一个父类时,子类会自动继承父类的所有静态属性和方法。如果子类中定义了与父类相同名称的静态属性或方法,那么子类将覆盖父类的静态属性和方法。
静态方法的重写:
在子类中,可以通过使用 public static function methodName()
的形式来重写父类的静态方法。当调用该方法时,将执行子类中的版本,而不是父类中的版本。
使用 late static binding:
late static binding 是一种在运行时确定要调用哪个类的方法的技术。在子类中,可以使用 static::methodName()
来调用父类中被覆盖的方法。这可以确保始终调用正确的版本,而不管实际调用的对象类型如何。
示例:
class ParentClass {
protected static $value = 'Parent';
public static function getValue() {
return static::$value;
}
}
class ChildClass extends ParentClass {
protected static $value = 'Child';
public static function getValue() {
return static::$value;
}
}
echo ParentClass::getValue(); // 输出 "Parent"
echo ChildClass::getValue(); // 输出 "Child"
在这个例子中,ChildClass
重写了父类 ParentClass
的静态方法 getValue()
。当我们调用 ChildClass::getValue()
时,它返回 “Child”,而不是 “Parent”。这是因为 late static binding 确保了调用的是子类中的版本。