小编典典

用max(column)获取行

sql

每当我使用该max函数时,我都会以某种方式失去与其他值的所有连接,以便以后打印的行不再与我在其上最大运行的列相关。

所以我的表是:

user col1 col2 col3
1    1    2    3
1    3    4    5
2    2    3    1
3    1    1    3
3    2    4    6
4    5    1    5

所以如果我跑步

select user, col1, col2, max(col3) as col3
from table
group by user
order by user;

我会得到

user col1 col2 col3
1    1    2    5
2    2    3    1
3    1    1    6
4    5    1    5

因此,col3的最大值是正确的,但是没有获得该值的正确行。

我想要的是获取列的最大值并为每个用户返回该行。如果有多个最大值,即使它具有相同的用户标识,它也应返回所有用户。


阅读 324

收藏
2021-03-08

共1个答案

小编典典

其他数据库(例如MS SQL Server)不允许您将夸大的值与未汇总的值混合使用,只是因为您会得到错误的结果。

因此,如果要从最大值所在的记录中获取非聚合值,请再次针对该表进行连接:

select x.user, y.col1, y.col2, x.col3
from (
  select user, max(col3) as col3
  from table
  group by user
) x
inner join table y on y.user = x.user and y.col3 = x.col3
order by x.user
2021-03-08