我有多个表
post
id Name
1 post-name1
2 post-name2
user
id username
1 user1
2 user2
post_user
post_id user_id
1 1
2 1
post_comments
post_id comment_id
1 1
1 2
1 3
我正在使用这样的查询:
SELECT post.id, post.title, user.id AS uid, username
FROM `post`
LEFT JOIN post_user ON post.id = post_user.post_id
LEFT JOIN user ON user.id = post_user.user_id
ORDER BY post_date DESC
按预期工作。但是,我想获得每个帖子的评论数量。那么我该如何修改这个查询,以便得到评论的数量。
有什么想法吗?
答案 0 :(得分:15)
SELECT post.id, post.title, user.id AS uid, username, COALESCE(x.cnt,0) AS comment_count
FROM `post`
LEFT JOIN post_user ON post.id = post_user.post_id
LEFT JOIN user ON user.id = post_user.user_id
LEFT OUTER JOIN (SELECT post_id, count(*) cnt FROM post_comments GROUP BY post_id) x ON post.id = x.post_id
ORDER BY post_date DESC
编辑:如果没有任何评论,则将其设为外部联接
EDIT2:将IsNull更改为Coalesce
答案 1 :(得分:1)
此编辑版本显示没有评论的行:
SELECT post.id, post.title, user.id AS uid, username, count(post_comments.comment_id) as comment_count
FROM `post`
LEFT JOIN post_user ON post.id = post_user.post_id
LEFT JOIN user ON user.id = post_user.user_id
LEFT JOIN post_comments ON post_comments.post_id = post.id
GROUP BY post.id
ORDER BY post_date DESC
例如:
+----+------------+------+----------+---------------+
| id | title | uid | username | comment_count |
+----+------------+------+----------+---------------+
| 3 | post-name3 | 2 | user2 | 0 |
| 1 | post-name1 | 1 | user1 | 3 |
| 2 | post-name2 | 1 | user1 | 1 |
+----+------------+------+----------+---------------+
3 rows in set (0.01 sec)