1

我正在开发一个评论系统,比如 Stackoverflow 或 Disqus,人们可以在其中评论和投票。我为此准备了三个表:USERSCOMMENTSVOTES

我无法弄清楚如何编写查询来计算投票并返回给定用户是否投票。每个用户每条评论只能投票一次,不能对自己的评论投票。此外,评论和投票不仅仅针对一个主题。每个页面都有自己的主题,因此在进行评论和投票时,GET也需要在查询中反映出来。SELECTWHERE topic_id='X'

这是我的表的数据,到目前为止我的查询看起来如何,以及我希望它返回什么:

USERS table
user_id user_name   
 1         tim
 2         sue
 3         bill 
 4         karen
 5         ed

COMMENTS table
comment_id topic_id    comment   commenter_id
 1            1       good job!         1
 2            2       nice work         2
 3            1       bad job :)        3

VOTES table
 vote_id    vote  comment_id  voter_id
  1          -1       1          5
  2           1       1          4
  3           1       3          1
  4          -1       2          5
  5           1       2          4

SELECT users.*, comments.*, count(vote as totals), sum(vote=1 as yes), sum(vote=-1 as no),
my_votes.vote as did_i_vote, users.* as IM_THE_USER
from comments
join votes 
on comments.comment_id=votes.comment_id
join users
on comments.commenter_id=users.user_id
join votes as MY_votes
on MY_votes.voter_id=IM_THE_USER.user_id
where topic_id=1 and IM_THE_USER.user_id=1
group by comment_id

user_id user_name comment_id topic_id  comment   commenter_id  totals yes no did_i_vote
   1      tim          1        1      good job!     1           2     1   1    NULL  
   3      bill         3        1      bad job:)     3           1     1   0      1
4

1 回答 1

4

用于演奏的SQL Fiddle

select u.user_id, u.user_name,
       c.comment_id, c.topic_id,
       sum(v.vote) as totals, sum(v.vote > 0) as yes, sum(v.vote < 0) as no,
       my_votes.vote as did_i_vote
from comments c
join users u on u.user_id = c.commenter_id
left join votes v on v.comment_id = c.comment_id
left join votes my_votes on my_votes.comment_id = c.comment_id
                            and my_votes.voter_id = 1
where c.topic_id = 1
group by c.comment_id, u.user_name, c.comment_id, c.topic_id, did_i_vote;

更新:固定分组条款

由 OP (tim peterson) 更新:固定计数作为总数并添加注释本身以由查询 最终工作 SQLFiddle 返回

于 2012-11-15T14:50:36.390 回答