具有特定列相同的 PostgreSQL select 行
PostgreSQL select rows with specific columns identical
我需要删除仅在特定列中具有相同值的行。例如,在下面的摘录中,我想 select 除最后一行之外的所有行,最后一行等于列 CODE、START_DATE 和 TYPE 的倒数第二行(这意味着忽略END_DATE 列的值)。
code | start_date | end_date | type
---------------+----------------+--------------+------
C086000-T10001 | 2014-11-11 | 2014-11-12 | 01
C086000-T10001 | 2014-11-11 | 2014-11-11 | 03
C086000-T10002 | 2014-12-03 | 2014-12-10 | 03
C086000-T10002 | 2014-01-03 | 2014-01-04 | 03
C086000-T10003 | 2012-02-27 | 2014-02-28 | 03
C086000-T10003 | 2014-08-11 | 2014-11-12 | 01
C086000-T10003 | 2014-08-11 | 2014-08-20 | 01
我该如何执行此操作?
编辑:以下查询returns一个子查询的列太多错误消息:
SELECT * FROM my_table WHERE code NOT IN (SELECT DISTINCT code, start_date, type FROM my_table) ;
非常感谢您的帮助!
这可以使用 Postgres 的 distinct on
运算符来完成:
select distinct on (code, start_date, type) code, start_date, end_date, type
from the_table
order by code, start_date, type;
如果您更喜欢使用标准 SQL,也可以使用 window 函数来完成:
select code, start_date, end_date, type
from (
select code, start_date, end_date, type,
row_number() over (partition by code, start_date, type order by end_date) as rn
from the_table
) t
where rn = 1
order by code, start_date, type;
SQL小提琴示例:http://sqlfiddle.com/#!15/c5044/1
我需要删除仅在特定列中具有相同值的行。例如,在下面的摘录中,我想 select 除最后一行之外的所有行,最后一行等于列 CODE、START_DATE 和 TYPE 的倒数第二行(这意味着忽略END_DATE 列的值)。
code | start_date | end_date | type
---------------+----------------+--------------+------
C086000-T10001 | 2014-11-11 | 2014-11-12 | 01
C086000-T10001 | 2014-11-11 | 2014-11-11 | 03
C086000-T10002 | 2014-12-03 | 2014-12-10 | 03
C086000-T10002 | 2014-01-03 | 2014-01-04 | 03
C086000-T10003 | 2012-02-27 | 2014-02-28 | 03
C086000-T10003 | 2014-08-11 | 2014-11-12 | 01
C086000-T10003 | 2014-08-11 | 2014-08-20 | 01
我该如何执行此操作?
编辑:以下查询returns一个子查询的列太多错误消息:
SELECT * FROM my_table WHERE code NOT IN (SELECT DISTINCT code, start_date, type FROM my_table) ;
非常感谢您的帮助!
这可以使用 Postgres 的 distinct on
运算符来完成:
select distinct on (code, start_date, type) code, start_date, end_date, type
from the_table
order by code, start_date, type;
如果您更喜欢使用标准 SQL,也可以使用 window 函数来完成:
select code, start_date, end_date, type
from (
select code, start_date, end_date, type,
row_number() over (partition by code, start_date, type order by end_date) as rn
from the_table
) t
where rn = 1
order by code, start_date, type;
SQL小提琴示例:http://sqlfiddle.com/#!15/c5044/1