按类别显示 MySQL 8 中不重复的前 N ​​个分数

Show top N scores in MySQL 8 without duplicates by category

我在 MySQL 8.0.15 中有以下 table:

CREATE TABLE golf_scores (person TEXT, score INT);
INSERT INTO golf_scores VALUES ('Angela', 40),('Angela', 45),('Angela', 55),('Peter',45),('Peter',55),('Rachel', 65),('Rachel',75),('Jeff',75);

SELECT * FROM golf_scores;
+--------+-------+
| person | score |
+--------+-------+
| Angela |    40 |
| Angela |    45 |
| Angela |    55 |
| Peter  |    45 |
| Peter  |    55 |
| Rachel |    65 |
| Rachel |    75 |
| Jeff   |    75 |
+--------+-------+

我正在尝试获得以下前 3 名分数:

SELECT * FROM golf_scores;
+--------+-------+
| person | score |
+--------+-------+
| Angela |    40 |
| Peter  |    45 |
| Rachel |    65 |
+--------+-------+

换句话说,我想要最好的(最低的)3 杆高尔夫球杆,而没有重复的人。我不担心领带;我还是想要三个结果。

我认为这个查询可以做到:

SELECT person, MIN(score) FROM golf_scores GROUP BY person ORDER BY score LIMIT 3;

但我收到以下错误:

ERROR 1055 (42000): Expression #1 of ORDER BY clause is not in GROUP BY clause and contains nonaggregated column 'records.golf_scores.score' which is not functionally dependent on columns in GROUP BY clause; this is incompatible with sql_mode=only_full_group_by

score 添加到 GROUP BY 列表中只是 returns 最低的 3 个总分,而不考虑 person 列中的重复项。

如何在 MySQL 中获得所需的输出?

您可以尝试使用 row_number()

    select * from
    (
         SELECT person, score,row_number() over(partition by person order by score) as rn
         FROM golf_scores 
    )A where rn=1
    ORDER BY score LIMIT 3

由于 order by 子句在 select 子句之后执行,请尝试为 min(score) 设置一个别名。

SELECT person, MIN(score) as min_score FROM golf_scores GROUP BY person ORDER BY min_score LIMIT 3;