1

我正在制作一个博客,其中包含可以带有标签和评论的文章。我想尝试获得正确的 SQL 来获得一个查询。我有 4 张桌子:

article
+------------+-----------------+------------+
| article_id | title           | photo      |
+------------+-----------------+------------+
|          1 | This is a test  | image1.jpg |
|          2 | Another Article | image2.jpg |
+------------+-----------------+------------+


article_tag
+------------+--------+ 
| article_id | tag_id |
+------------+--------+
|          1 |      1 | 
|          1 |      2 | 
|          2 |      2 |
+------------+--------+

tags
+--------+------+ 
| tag_id | name |
+--------+------+ 
|      1 | tag1 |
|      2 | tag2 |
+--------+------+

comment
+------+---------+------------+
| name | message | article_id |
+------+---------+------------+
|    1 | hello   |          1 |
|    2 | a       |          2 |
+------+---------+------------+

我试图得到这个:

+------------+----------------+------------+---------+----------+
| article_id | title          | photo      | tag_ids | comments |
+------------+----------------+------------+---------+----------+
|          1 | This is a test | image1.jpg | 1,2     |        1 |
+------------+----------------+------------+---------+----------+

这是我到目前为止所拥有的:

SELECT a.article_id, a.title, a.photo, a.date, a.description_long, a.author, GROUP_CONCAT(tag_id) as `tag_ids`, COUNT(c.comment_id) as comments
FROM article as a
JOIN article_tag as at
ON a.article_id = at.article_id
LEFT JOIN comment as c
ON a.article_id = c.article_id
WHERE a.article_id = 1

但是我收到的评论是 2 而不是 1?谢谢 PS 如果有人知道一种方法,我可以将 tag_ids 从 1,2 更改为 tag1,tag2 那就太棒了:-)

4

2 回答 2

1

标签和评论是独立的。因此,如果您有三个标签和两个评论,那么您将获得 6 行的组合。

在 MySQL 中修复此查询的最简单方法是执行 group by 并在 select 中使用 distinct:

SELECT a.article_id, a.title, a.photo, a.date, a.description_long, a.author,
       GROUP_CONCAT(distinct tag_id) as `tag_ids`, COUNT(distinct c.comment_id) as comments
FROM article a JOIN
     article_tag as at
     ON a.article_id = at.article_id LEFT JOIN
     comment c
     ON a.article_id = c.article_id
WHERE a.article_id = 1
group by a.article_id

不过,我会说,修复查询的“正确”方法是修复连接。这使用中的子查询from

from . . .
     (select article_id, group_concat(tag_id) as tags
      from tags
      group by article_id
     ) at
     . . .
     (select article_id, count(*) as numComments
      from comments
      group by article_id
     ) c
     . . .
于 2013-02-23T22:41:31.560 回答
0

这是因为标签不止1个,所以生成了2行。

试试 COUNT(DISTINCT c.comment_id)。这只会计算不同的评论 ID,因此重复的评论不会被计算两次。

要获取标签名称,请与标签表进行左连接。然后 GROUP_CONCAT 使用 name 列,而不是 tag_id 列。

应该是这样的:

SELECT a.article_id, a.title, a.photo, a.date, a.description_long, a.author, GROUP_CONCAT(d.name) AS `tag_names`, COUNT( DISTINCT c.comment_id ) AS comments
FROM article as a
JOIN article_tag as at
ON a.article_id = at.article_id
LEFT JOIN comment as c
ON a.article_id = c.article_id
LEFT JOIN tags d ON at.tag_id = d.tag_id
WHERE a.article_id = 1
于 2013-02-23T23:07:43.007 回答