index.php
<?php
require_once 'core/init.php';
DB::getInstance()->query("SELECT * FROM users");
在此类中,我正在使用单例模式,它已成功与db连接。
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';
}
}
}
}
现在的问题是,当我在query()
中传递sql查询时,它处于其他条件“未执行”。所以我的问题为什么它不执行。 pdo与mysql db是否存在任何兼容性问题,或者我做错了什么。
答案 0 :(得分:1)
我总是启用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;
}