我是mysqli的新手,并试图确认如果我像下面这样的东西,errno将被设置为最后一个错误,如果有的话,而不是最后一个查询的错误。
这是一个不错的做法,还是我应该检查每个查询之间的错误?
谢谢!
$mysqli->autocommit(FALSE);
$mysqli->query("INSERT INTO .....");
$mysqli->query("INSERT INTO .....");
$mysqli->query("INSERT INTO .....");
$mysqli->query("INSERT INTO .....");
$mysqli->query("INSERT INTO .....");
if ( 0==$mysqli->errno ) {
$mysqli->commit();
} else {
$mysqli->rollback();
// Handle error
}
答案 0 :(得分:4)
否 - 它报告最后一次mysqli函数调用的错误代码。零表示最后一次函数调用没有发生错误。因此,如果中间的一个失败了,你只会在最后检查时才会知道它。
换句话说,是的,您需要在每次函数调用后检查错误代码。请注意,错误也由$mysqli->query()
的返回值指示。从mysqli_errno doc:
if (!$mysqli->query("INSERT ...")) {
printf("Errorcode: %d\n", $mysqli->errno);
}
答案 1 :(得分:3)
mysqli_errno - 返回最新函数调用的错误代码。
答案 2 :(得分:1)
不,你必须在每个查询之间检查,因为它总是会给你最后一次查询的错误...所以如果你的第一个查询失败并且上次正确执行那么你将不会得到错误...所以检查所有查询一个接一个不是最后......
答案 3 :(得分:1)
IMO捕获所有错误的最佳方式和最简单的方法是扩展mysqli类:
class DBException extends Exception {
}
class DBConnectException extends DBException {
}
class DBQueryException extends DBException {
}
class DB extends MySQLi {
private static $instance = null;
private function __construct() {
parent::__construct('host',
'username',
'passwd',
'dbname');
if ($this->connect_errno) {
throw new DBConnectException($this->connect_error, $this->connect_errno);
}
}
private function __destructor() {
parent::close();
}
private function __clone() {
}
public static function getInstance() {
if (self::$instance == null) {
self::$instance = new self();
}
return self::$instance;
}
public function query($query, $resultmode = MYSQLI_STORE_RESULT) {
$result = parent::query($query, $resultmode);
if (!$result) {
// or do whatever you wanna do when an error occurs
throw new DBQueryException($this->error, $this->errno);
}
return $result;
}
}