PostgreSQL提取每个ID的最后一行


77

假设我有下一个数据

  id    date          another_info
  1     2014-02-01         kjkj
  1     2014-03-11         ajskj
  1     2014-05-13         kgfd
  2     2014-02-01         SADA
  3     2014-02-01         sfdg
  3     2014-06-12         fdsA

我想为每个id提取最后一个信息:

  id    date          another_info
  1     2014-05-13         kgfd
  2     2014-02-01         SADA
  3     2014-06-12         fdsA

我该如何处理?

Answers:


150

最有效的方法是使用Postgres的distinct on运算符

select distinct on (id) id, date, another_info
from the_table
order by id, date desc;

如果您想要一个跨数据库的解决方案(但效率较低),则可以使用窗口函数:

select id, date, another_info
from (
  select id, date, another_info, 
         row_number() over (partition by id order by date desc) as rn
  from the_table
) t
where rn = 1
order by id;

在大多数情况下,具有窗口功能的解决方案比使用子查询更快。


4
赞!它需要按日期排序的索引,但是,我一直认为索引可以在两个方向上搜索,按日期升序的默认主键索引对于同一字段上的降序应该很好用,在我的情况下,我有复合键(id,date)复合键会引起问题吗?
PirateApp

19
select * 
from bar 
where (id,date) in (select id,max(date) from bar group by id)

在PostgreSQL,MySQL中测试


-5

按ID分组并使用任何合计函数来满足上一条记录的条件。例如

select  id, max(date), another_info
from the_table
group by id, another_info

4
再次,这不会给出实际的输出
Vivek S.15

我在这里想念什么?
Amal Ts 2015年

您是根据another_info区分组,因此这不会仅按ID进行分组。而且,如果改为在another_info上使用聚合函数以获取正确的分组,则聚合函数(例如max())将不会为具有max(date)的行返回another_info值。确实,这两个发现是首先要考虑的问题。
gwideman
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.