我想从另一个类实现一个类,但是当我尝试在类foo中调用db的函数时,它会失败,除非我使用新的db()并在同一个函数内调用该函数
class foo {
private $db;
public function __construct() {
$db = new db();
// if i call $db->query(); from here it works fine
}
public function update(){
$db->query();
}
}
class db {
public function __construct() {
}
public function query(){
echo "returned";
}
}
$new_class = new foo();
$new_class->update();
这段代码给了我一个错误,说我在第7行有一个未定义的变量db,并在非对象上调用成员函数query().
解决方法:
而不是$db,你应该使用$this-> db.
public function __construct() {
$db = new db();
// $db is only available within this function.
}
而你想把它放入成员变量,所以你需要使用$this代替,
class foo {
private $db; // To access this, use $this->db in any function in this class
public function __construct() {
$this->db = new db();
// Now you can use $this->db in any other function within foo.
// (Except for static functions)
}
public function update() {
$this->db->query();
}
}