2

我有下表players

ID;color;race;score
1;"red";"elf";400
2;"blue";"elf";500
3;"green";"elf";300
4;"blue";"elf";200
5;"red";"elf";700
6;"red";"troll";100
7;"blue";"troll";400
8;"green";"troll";500
9;"red";"troll";400
10;"yellow";"troll";1000
11;"red";"nord";900
12;"green";"nord";100
13;"yellow";"nord";500
14;"blue";"nord";7000

我想要每场比赛的最高分数以及该球员的颜色和 ID。像这样

elf 700 red 5
nord 7000 blue 14
troll 1000 yellow 10

我可以得到的前两列:

select category,max(score)
from players
group by category;

但我无法添加该播放器的颜色和 ID。我该怎么做呢?

4

1 回答 1

1

您可以使用RANK功能:

WITH cte AS
(
  SELECT *, RANK() OVER(PARTITION BY race ORDER BY score DESC) AS r
  FROM players
)
SELECT race, score, color, id
FROM cte
WHERE r = 1;

LiveDemo

输出:

╔═══════╦═══════╦════════╦════╗
║ race  ║ score ║ color  ║ id ║
╠═══════╬═══════╬════════╬════╣
║ elf   ║   700 ║ red    ║  5 ║
║ nord  ║  7000 ║ blue   ║ 14 ║
║ troll ║  1000 ║ yellow ║ 10 ║
╚═══════╩═══════╩════════╩════╝
于 2015-12-15T14:31:51.323 回答