我正在使用MYSQL来计算学生表中每个主题的TOP-N。

时间:2018-06-06 23:23:11

标签: mysql groupwise-maximum

我有一张学生表,里面有student_id,得分和主题

CREATE TABLE IF NOT EXISTS students 
(student_id INT(3),   subject ,VARCHAR(45),   score INT(3) );

插入的数据是

insert into students values(1,'math',70);
insert into students values(1,'science',71);
insert into students values(1,'history',72);
insert into students values(1,'english',73);
insert into students values(1,'kannada',74);
insert into students values(3,'math',50);
insert into students values(3,'science',51);
insert into students values(3,'history',52);
insert into students values(3,'english',53);
insert into students values(3,'kannada',54);
insert into students values(2,'math',60);
insert into students values(2,'science',61);
insert into students values(2,'history',62);
insert into students values(2,'english',63);
insert into students values(2,'kannada',64);

使用查询后,我得到了所需的输出,

select student_id,score,subject
    from
        (select @prev := '', @n:=0) init
    join
        (select @n := if(subject != @prev , 1, @n+1) as n,
                 @prev := subject,
                 student_id,score,subject from students
                 order by
                 subject asc, 
                 score desc
        ) x
        where n<=2
        order by subject, score desc;

我根本不明白这是如何运作的,为什么需要加入?这是一个子查询吗? from子句中的语句是否会在每一行数据上运行?有人请向我解释一下。我正在学习SQL。

注意:我发现此查询与此在线类似,我只是根据我的要求进行调整,这不是我的工作。

1 个答案:

答案 0 :(得分:0)

只需要连接,以便您可以在查询中初始化变量@prev@n。这需要与您尝试过滤的查询分开进行。您可以在查询之前执行此操作,但这会将所有内容保存在一个自包含查询中。

SET @prev = '';
SET @n = 0;
SELECT student_id, score, subject
FROM 
    (select @n := if(subject != @prev , 1, @n+1) as n,
             @prev := subject,
             student_id,score,subject from students
             order by
             subject asc, 
             score desc
    ) x
where n<=2
order by subject, score desc;

在这种情况下,使用子查询,以便您可以选择所需的n <= 2行。