13

我不确定这个问题是特定于 WordPress 还是与 mySQL 更相关。我试图找出如果与数据库的事务失败会返回什么。在以下场景中,我正在更新一行。如果没有更改任何值,则返回 false。如果进行了更改,则返回 true。如何判断交易是否失败?

$result = $wpdb->update($this->table_name, $dbfields, $where);
if($result == false)//do fail - this is not really a fail!
if($result == true)//do success

任何指针表示赞赏。

4

1 回答 1

42

进去看看wp-includes\wp-db.php。wpdb 的更新函数的标题注释说:

 * @return int|false The number of rows updated, or false on error.

所以,我怀疑你想找到false(表示失败的布尔值)和0(表示没有返回行的整数)之间的区别。

如果你比较使用==,false0是相等的。因此,您需要使用===运算符来检查您是在处理 booleanfalse还是 integer 0

所以,试试这些:

if ($result === false) // Fail -- the "===" operator compares type as well as value
if ($result === 0) // Success, but no rows were updated
if ($result > 0) // Success, and updates were done. $result is the number of affected rows.

有关=== 比较运算符的更多信息,请参阅PHP 手册。

于 2011-06-30T09:03:30.090 回答