用mysql查询条件计数

我有两个表,一个是新闻,另一个是评论,我想得到的状态已被批准的意见的计数。

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是否存在与该消息相对应的任何评论。

任何帮助将是非常可观的。

使用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 

更好还是(或者更短):

 SUM(ccc_news_comments.id = 'approved') 

这是可行的,因为MySQL中的布尔types被表示为INT 01 ,就像在C中一样(尽pipe可能不能跨DB系统移植)。

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

这应该工作:

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

count()只检查值是否存在。 0相当于一个存在的值,所以它计数一个,而NULL是不存在的值,所以不计算。

replace这一行:

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

有了这个:

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