PHP const / static变量在父类的静态上下文中不可用

时间:2011-02-16 17:40:50

标签: php oop class inheritance constants

由于某种原因(哪个?),子类中定义的PHP const / static变量在父类的静态上下文中不可用。

为什么?

示例1:

class Model{
  function getAll(){
    $query = "SELECT * FROM " . self::DATABASE_TABLE_NAME;
    // ...
  }
}

class Post extends Model{
  const DATABASE_TABLE_NAME = 'post';
}

$p = Post::getAll();

当我跑步时,我得到:

Fatal error: Undefined class constant 'DATABASE_TABLE_NAME' on line 3 

($ query = ...的行)

示例2:

class Model{
    function getAll(){
        $query = "SELECT * FROM " . self::$DATABASE_TABLE_NAME;
        // ...
    }
}

class Post extends Model{
    static $DATABASE_TABLE_NAME = 'post';
}

$p = Post::getAll();

然后我得到:

Fatal error: Access to undeclared static property: Model::$DATABASE_TABLE_NAME on line 3

(同一行)

3 个答案:

答案 0 :(得分:5)

PHP5.3引入了late static binding - 这就是你要找的东西。

class ParentClass {
    public function getAll() {
        var_dump('Get all from ' . static::TABLE_NAME);
    }
}

class ChildClass extends ParentClass {
    const TABLE_NAME = 'my_table_name';
}

$c = new ChildClass();
$c->getAll(); // Get all from my_table_name

编辑:

但是你应该设计你的课程有点不同。上面的解决方案依赖于语言动态(你可以引用一些甚至不存在的东西(例如一个类常量))。在这样一个简单的例子中,一切都很好,但在实际案例中,这会导致产生可怕且难以维护的代码。

最好强制交付的类(ChildClass)实现一些返回表名的方法:

abstract class ParentClass {
   // getAll function

   abstract protected function getTableName();
}

class ChildClass extends ParentClass {
    // You have to implement this method
    protected function getTableName() {
        return 'table name';
    }
}

答案 1 :(得分:2)

我在这里找到答案: How can I get the classname from a static call in an extended PHP class?

解决方案:

class Model{
    function getAll(){
        $class = get_called_class();
        $query = "SELECT * FROM " . $class::$DATABASE_TABLE_NAME;
        // ...
    }
}

class Post extends Model{
    static $DATABASE_TABLE_NAME = 'post';
}

$p = Post::getAll();

答案 2 :(得分:0)

全部可用。

在静态上下文中,您应该使用late static binding,以便代码变为:

$query = "SELECT * FROM " . static::$DATABASE_TABLE_NAME;

我还建议你出于理智的原因使用常数。