在 MySQL 查询中使用 IF 条件进行计数

我有两个表,一个用于新闻,另一个用于评论,我希望获得其状态已被设置为批准的评论的计数。

SELECT
ccc_news . *,
count(if(ccc_news_comments.id = 'approved', ccc_news_comments.id, 0)) AS comments
FROM
ccc_news
LEFT JOIN
ccc_news_comments
ON ccc_news_comments.news_id = ccc_news.news_id
WHERE
`ccc_news`.`category` = 'news_layer2'
AND `ccc_news`.`status` = 'Active'
GROUP BY
ccc_news.news_id
ORDER BY
ccc_news.set_order ASC
LIMIT 20

但是这个查询的问题在于,无论是否存在与该新闻相对应的注释,为评论列获取的最小值都是1。

任何帮助都是非常感激的。

274667 次浏览

使用 sum()代替 count()

试试以下方法:

SELECT
ccc_news . * ,
SUM(if(ccc_news_comments.id = 'approved', 1, 0)) AS comments
FROM
ccc_news
LEFT JOIN
ccc_news_comments
ON
ccc_news_comments.news_id = ccc_news.news_id
WHERE
`ccc_news`.`category` = 'news_layer2'
AND `ccc_news`.`status` = 'Active'
GROUP BY
ccc_news.news_id
ORDER BY
ccc_news.set_order ASC
LIMIT 20

替换这一行:

count(if(ccc_news_comments.id = 'approved', ccc_news_comments.id, 0)) AS comments

用这个:

coalesce(sum(ccc_news_comments.id = 'approved'), 0) comments

这应该会奏效:

count(if(ccc_news_comments.id = 'approved', ccc_news_comments.id, NULL))

count()只检查值是否存在。0等价于一个存在的值,所以它多计算一个,而 NULL 就像一个不存在的值,所以不被计算。

更好(或者更短) :

SUM(ccc_news_comments.id = 'approved')

这是因为 MySQL 中的布尔类型表示为 INT 01,就像 C 中一样(尽管可能不能跨 DB 系统移植)

至于其他答案中提到的 COALESCE(),许多语言 API 在获取值时会自动将 NULL转换为 ''。例如,对于 PHP 的 mysqli接口,在没有 COALESCE()的情况下运行查询是安全的。

count(ccc_news_comments.id = 'approved' or null)

更简洁