3

我的 MySQL 数据库中有三个不同的表。

表用户:(id,分数,名称)
表团队:(id,标题)
表team_Members:(team_id,user_id)

我想做的是有 1 个查询来查找给定用户 ID 所属的每个团队 ID,以及以下信息:

  1. 该团队的成员总数
  2. 团队名称
  3. 用户在团队中的排名(基于分数)

编辑:

所需的输出应如下所示;

TITLE (of the group)      NUM_MEMBERS       RANK
------------------------------------------------
Foo bar team              5                 2
Another great group       34                17
.
.
.

查询应基于用户 ID。

非常感谢帮助

4

2 回答 2

1

我认为这个查询应该得到你所要求的

select t.id, t.title, count(m.user_id) members, (
    select count(1)
    from users u3 
    inner join team_Members m3 on u3.id = m3.user_id 
    and m3.team_id = t.id and u3.score > (
        select score from users where name = 'Johan'
    )
) + 1 score
from teams t
inner join team_Members m on t.id = m.team_id
where t.id in (
    select team_id 
    from team_Members m2
    inner join users u2 on m2.user_id = u2.id
    where u2.name = 'Johan'
)
group by t.id, t.title
于 2012-07-12T22:46:21.203 回答
0

要收集你只需要使用 JOIN

SELECT 
  u.*, t.*, tm.* 
FROM 
  users u 
JOIN 
  team_Members tm ON  u.id = tm.user_id 
JOIN 
  teams t ON t.id = tm.team_id;

要获得该团队的总数,请使用 COUNT 和一些组键

有的这样

SELECT 
  COUNT(t.id), u.*, t.*, tm.* 
FROM 
  users u 
JOIN 
  team_Members tm ON u.id = tm.user_id 
JOIN 
  teams t ON t.id = tm.team_id GROUP BY t.id;

并仅排名:

SELECT 
  COUNT(t.id) as number_of_members, u.*, t.*, tm.* 
FROM 
  users u 
JOIN 
  team_Members tm ON u.id = tm.user_id 
JOIN 
  teams t ON t.id = tm.team_id 
GROUP BY t.id 
ORDER BY u.score;
于 2012-07-12T22:43:15.287 回答