在Postgresql中的时间序列数据中添加缺少的每月日期

时间:2016-12-01 04:00:58

标签: sql postgresql window-functions sql-date-functions

我在表格中有月度时间序列数据,其中日期是月份的最后一天。数据中缺少某些日期。我想插入这些日期,并为其他属性添加零值。 表如下:

id     report_date   price
1       2015-01-31    40
1       2015-02-28    56
1       2015-04-30    34
2       2014-05-31    45
2       2014-08-31    47

我想将此表格转换为

id     report_date   price
1       2015-01-31    40
1       2015-02-28    56
1       2015-03-31    0
1       2015-04-30    34
2       2014-05-31    45
2       2014-06-30    0
2       2014-07-31    0
2       2014-08-31    47

我们有什么方法可以在Postgresql中做到这一点? 目前我们在Python中这样做。由于我们的数据日益增长,而且仅针对一项任务处理I / O效率不高。

谢谢

2 个答案:

答案 0 :(得分:1)

您可以使用generate_series()生成日期,然后使用left join来生成值:

with m as (
      select id, min(report_date) as minrd, max(report_date) as maxrd
      from t
      group by id
     )
select m.id, m.report_date, coalesce(t.price, 0) as price 
from (select m.*, generate_series(minrd, maxrd, interval '1' month) as report_date
      from m
     ) m left join
     t
     on m.report_date = t.report_date;

编辑:

原来上述情况并不完全有效,因为在月末添加月份并不会保留当月的最后一天。

这很容易解决:

with t as (
      select 1 as id, date '2012-01-31' as report_date, 10 as price union all
      select 1 as id, date '2012-04-30', 20
     ), m as (
      select id, min(report_date) - interval '1 day' as minrd, max(report_date) - interval '1 day' as maxrd
      from t
      group by id
     )
select m.id, m.report_date, coalesce(t.price, 0) as price 
from (select m.*, generate_series(minrd, maxrd, interval '1' month) + interval '1 day' as report_date
      from m
     ) m left join
     t
     on m.report_date = t.report_date;

第一个CTE只是生成样本数据。

答案 1 :(得分:0)

这比Gordon的查询略有改进,在某些情况下无法获得一个月的最后日期。

基本上,您会在此生成的表格中为每个ID(使用here)和min生成maxleft join日期之间的所有月末日期,以显示缺失价格为0的日期。

with minmax as (
      select id, min(report_date) as mindt, max(report_date)  as maxdt
      from t
      group by id
     )
select m.id, m.report_date, coalesce(t.price, 0) as price 
from (select *, 
      generate_series(date_trunc('MONTH',mindt+interval '1' day),
                      date_trunc('MONTH',maxdt+interval '1' day), 
                      interval '1' month) - interval '1 day' as report_date
      from minmax
     ) m 
left join t on m.report_date = t.report_date

<强> generate_series