3

我有这个代码:

abstract class Base{

   public function delete(){
     // Something like this (id is setted in constructor)
     $this->db->delete($this->id);
   }

}

然后我有另一个扩展 Base 的类,例如:

class Subtitles extends Base{

    public function delete($parameter){
         parent::delete();
         // Do some more deleting in transaction using $parameter
    }

}

这也恰好有方法删除。

问题来了:

当我打电话时

$subtitles->delete($parameter)

我得到:

Strict error - Declaration of Subtitles::delete() should be compatible with Base::delete() 

所以我的问题是,为什么我不能有不同参数的后代方法?

谢谢你的解释。

4

3 回答 3

6

这是因为 PHP 执行方法覆盖而不是方法重载。所以方法签名必须完全匹配。

作为您的问题的解决方法,您可以在基类上重组 delete 以

public function delete($id = null){
  // Something like this (id is setted in constructor)
  if ($id === null) $id = $this->id;
  $this->db->delete($id);
}

然后更改您的子类方法签名以匹配。

于 2013-07-24T15:27:36.197 回答
3

要覆盖基类中的函数,方法必须具有与其要替换的方法相同的“签名”。

签名由名称、参数(和参数顺序)和返回类型组成。

这是多态性的本质,也是面向对象编程获得强大功能的地方。如果您不需要覆盖父方法,请给您的新方法一个不同的名称。

于 2013-07-24T15:26:21.687 回答
1

这应该是对@orangePill 断言的评论,但我没有足够的声誉来发表评论。

我在使用静态方法时遇到了同样的问题,我使用后期静态绑定做了以下事情。也许它可以帮助某人。

abstract class baseClass {
    //protected since it makes no sense to call baseClass::method
    protected static function method($parameter1) {
        $parameter2 = static::getParameter2();

        return $parameter1.' '.$parameter2;
    }
}

class myFirstClass extends baseClass {
    //static value, could be a constant
    private static $parameter2 = 'some value';

    public static function getParameter2() {
        return self::$parameter2;
    }

    public static function method($parameter1) {
        return parent::method($parameter1);
    }
}

class mySecondClass extends baseClass {
    private static $parameter2 = 'some other value';

    public static function getParameter2() {
        return self::$parameter2;
    }

    public static function method($parameter1) {
        return parent::method($parameter1);
    }
}

用法

echo myFirstClass::method('This uses'); // 'This uses some value'

echo mySecondClass::method('And this uses'); // 'And this uses some other value'
于 2014-07-23T18:13:58.153 回答