web-dev-qa-db-ja.com

Postgresqlは各IDの最後の行を抽出します

私は次のデータを持っているとします

  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

どうすればそれを管理できますか?

46
Marta

最も効率的な方法は、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;

ウィンドウ関数を使用したソリューションは、ほとんどの場合、サブクエリを使用するよりも高速です。

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

PostgreSQL、MySQLでテスト済み

12
Vivek S.