PHP mysqli连接类 - 无法访问外部的连接变量。范围问题

时间:2013-01-26 14:52:09

标签: php class variables scope

我是以OOP方式使用PHP的新手,但发现我的数据库连接类存在问题。

我这里有一个mysqli连接类的文件

$db_name = 'dbname';
$db_user = 'dbuser';        
$db_password = 'dbpassword';
$db_host = 'localhost';

class database {

    public $mysqli;

    public function connect($db_host, $db_user, $db_password, $db_name){

        $this->mysqli = new mysqli($db_host, $db_user, $db_password, $db_name);

        if ($mysqli->connect_errno) {
            return "Sorry Andre, but you seem to have messed up the DB connection :(";
        }
    }
}

$newConnection = new database;
$newConnection->connect($db_host, $db_user, $db_password, $db_name);

然后我想在另一个文件中的数据库连接中使用变量$ mysqli - 这是使用$ mysqli变量连接到数据库的简单插入。我将上面的内容包含在连接文件中,但是当我在数据库类中调用该方法时,似乎没有返回$ mysqli变量。我得到PHP错误说...

Fatal error: Call to a member function prepare() on a non-object in...

我见过使用

global $mysqli; 

但是我想以正确的方式去做,因为我听说这不是好的做法。

我理解我可能在这里做错了,因为我不熟悉使用OOP,但我认为通过在connect函数中返回该变量,我可以通过在外部创建类来访问它。

感谢帮助, 感谢。

3 个答案:

答案 0 :(得分:3)

您需要更改:

$mysqli->connect_errno

要:

$this->mysqli->connect_errno

答案 1 :(得分:3)

在室外使用时,可以通过实例访问类变量...

$newConnection = new database;
$newConnection->connect($db_host, $db_user, $db_password, $db_name);
$newConnection->mysqli /* here you have access from outside */
从你内部

使用关键字$ this ...

// like this from inside
if ($this->mysqli->connect_errno) {
    return "Sorry Andre, but you seem to have messed up the DB connection :(";
}

如果您想保护变量不受外部访问使用:

  private $mysqli; 
  // instead of 
  public $mysqli;

答案 2 :(得分:1)

Fatal error: Call to a member function prepare() on a non-object in...

这总意味着,你调用方法的东西不是一个对象。 在你的情况下:mysqli没有初始化。

一般提示: connect看起来像是什么,应该在构造函数中。

class d {
  public function __construct($db_host, $db_user, $db_password, $db_name){
    $this->mysqli = new mysqli($db_host, $db_user, $db_password, $db_name);
    if ($this->mysqli->connect_errno) {
      return "Sorry Andre, but you seem to have messed up the DB connection :(";
    }
  }

  public $mysqli;
}

$foo = new d('host', 'user', 'pass', 'dbname');
$foo->mysqli->prepare("something");

因此,当您获取此类的实例时,它会自动初始化。 这样,每次要初始化时都会保存一行。