一尘不染

如何在另一个页面上的另一个类中访问mysqli连接?

mysql

如何在用户类中打开数据库连接,我可以在其中进行数据库操作?以及为什么需要在DBConnection类中定义内置的已创建函数。

我创造了

  1. db.php
  2. user.php
  3. result.php

在db.php中

class DBConnection  
{       
  protected $mysqli;
  private  $db_host="127.0.0.1";
  private  $db_name="test";
  private  $db_username="root";
  private  $db_password="";

  public function __construct()
    {
        $this->mysqli=new mysqli($this->db_host,$this->db_username,
                $this->  db_password,$this->db_name) or die($this->mysqli->error);

         return $this->mysqli;
    }

public function query($query)  // why i need to creat this function
     {
    return $this->mysqli->query($query);
     }

public function real_escape_string($str)
 {
    return $this->mysqli->real_escape_string();
 }


   function __destruct(){
     //Close the Connection
     $this->mysqli->close();
    }
}
?>

在User.php中

<?php
  require "db.php";

  class User {

  public function __construct($conn)
{
    $this->mysqli=$conn;

}

   public function addUser($name,$username,$email,$pwd)
   {
     $query="  ";

     $res=$this->mysqli->query($query);

  //pls chek the query function in DBConnection,what is the need to define query               >       function in DBConnection ?

    return $res;
    }
   }    
?>

在result.php

    <?php

      require "user.php";

      $conn=new DBConnection();

      if(isset($_POST['submit']))
  {
 $name = $conn->real_escape_string(trim(strip_tags($_POST['name'])));
   $username =

$conn->real_escape_string(trim(strip_tags($_POST[‘username’])));
$email =
$conn->real_escape_string(trim(strip_tags($_POST[‘email’])));
$password =
$conn->real_escape_string(trim(strip_tags($_POST[‘pass’])));

//echo $name."".$username."".$email."".$password;
  $uObj=new User($conn);
  $uObj->addUser($name,$username,$email,$password);


echo " hi your name is <I>".$name."</I> and your email ID is <I>".$email."</I>";
        }


?>

阅读 332

收藏
2020-05-17

共1个答案

一尘不染

您的DBConnection课程将需要其他方法:

public function getLink()
{
    return $this->mysqli;
}

您的原始User类似乎是的子类DBConnection,因为mysqlion属性DBConnectionprotected并且User该类具有parent::__construct()调用。

最好使用依赖项注入,因此您的User类将通过构造函数接收其数据库连接:

public function __construct(DBConnection $db)
{
    $this->mysqli = $db->getLink();
}

然后可以从您的代码中运行:

$db = new DBConnection;
$uObj = new User($db);
2020-05-17