如何使用pdo execute函数来选择表?

q8l4jmvw  于 2021-06-17  发布在  Mysql
关注(0)|答案(1)|浏览(394)

索引.php

<?php
require_once 'core/init.php';
DB::getInstance()->query("SELECT * FROM users");

在这个类中,我使用的是singleton模式,它成功地与db连接。
数据库.php

<?php
class DB{

private static $_instance = null;
private $_pdo, $_query, $_error = false, $results, $count = 0;    
private function __construct(){
  try{
 $this->_pdo = new PDO('mysql:host='.Config::get('mysql/host') .';db='.Config::get('mysql/db'),Config::get('mysql/username'),Config::get('mysql/password'));
     //echo "Connected";
    }catch(PDOException $e){
        die($e->getMessage());
    }

}
public static function getInstance(){

     if(!isset(self::$_instance)){
         self::$_instance = new DB();
     }
     return self::$_instance;
}

public function query($sql){
    $this->_error = false;

    if($this->_query = $this->_pdo->prepare($sql)){
     //  echo 'prepared statement';

       if($this->_query->execute()){
         echo 'do query';
       }else{
         echo 'did not execute';
       }
    }
  }
 }

现在的问题是当我传入sql查询时 query() 它属于else条件“未执行”。所以我的问题是为什么它不执行。pdo和mysql db的兼容性有问题吗?或者我做错了什么。

nhjlsmyf

nhjlsmyf1#

我总是启用pdo异常。如果查询或对pdo函数的任何其他调用出现问题,它将抛出包含错误消息的异常。

$this->_pdo->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);

(您只需要设置一次,通常是在创建pdo连接之后。)
看到了吗http://php.net/manual/en/pdo.error-handling.php
如果不想使用异常,则应在每次调用之后检查错误 query() 或者 prepare() 或者 execute() ,并将其输出到错误日志。

$this->_query = $this->_pdo->prepare($sql);
if ($this->_query === false) {
   $this->_error = $this->_pdo->errorInfo();
   error_log("Error '{$this->_error[2]}' when preparing SQL: {$sql}");
   return false;
}
$ok = $this->_query->execute();
if ($ok === false) {
   $this->_error = $this->_query->errorInfo();
   error_log("Error '{$this->_error[2]}' when executing SQL: {$sql}");
   return false;
}

相关问题