我是否需要使用 try 和 catch 块来显示 PHP 的 PDO 扩展错误?
例如,使用 mysql,您通常可以执行以下操作:
if ( ! $query)
{
die('Oh noes!');
}
public static function qry($sql) {
try {
$statement = $db_handle->prepare($sql);
$retval = $statement->execute();
if($statement->rowCount() >= 1) {
//do something
}else {
$errors = $statement->errorInfo();
echo $errors[2] . ", " . $errors[1] . " ," . $errors[0];
}
} catch (Exception $e) {
echo $e->getMessage();
}
}
PDO 默认支持它自己的异常类,PDOException
.
应该没有理由不能使用:
try{
$query = $db->prepare(...);
if( !$query ){
throw new Exception('Query Failed');
}
}
catch(Exception $e){
echo $e->getMessage();
}
我只抓住的原因Exception
是因为PDOException
是异常的孩子。抓住父母将抓住所有孩子。
您可以通过 PDO::ATTR_ERRMODE 选择 PDO 对错误的处理方式:
$pdo->setAttribute (PDO::ATTR_ERRMODE, PDO::ERRMODE_WARNING); // Raise E_WARNING.
$pdo->setAttribute (PDO::ATTR_ERRMODE, PDO::ERRMODE_SILENT); // Sets error codes.
// or
$pdo->setAttribute (PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION); // throws exception
如果您不想使用 try catch 语句,您仍然可以使用这种代码:
$query = $db->prepare("SELECT * FROM table");
if(!$query->execute()) {
print_r($query->errorInfo());
}