表格中的数据按生效日期存储。你能帮我一个ORACLE SQL语句,它将8/1数据复制到8 / 2,8 / 3,8 / 4并重复8/5后的值吗?
DATE VALUE
8/1/2017 x
8/5/2017 b
8/7/2017 a
期望的输出:
DATE VALUE
8/1/2017 x
8/2/2017 x
8/3/2017 x
8/4/2017 x
8/5/2017 b
8/6/2017 b
答案 0 :(得分:2)
这是一种方法。它假定日期都是纯日期(没有时间组件 - 实际上这意味着每天的时间是00:00:00)。它还假设您希望输出包括输入中第一个和最后一个日期之间的所有日期。
第一个和最后一个日期在最里面的查询中计算。然后使用分层(连接)查询创建它们之间的所有日期,并将结果左连接到原始数据。然后使用具有last_value()
选项的分析ignore nulls
函数获得输出。
with
inputs ( dt, value ) as (
select to_date('8/1/2017', 'mm/dd/yyyy'), 'x' from dual union all
select to_date('8/5/2017', 'mm/dd/yyyy'), 'b' from dual union all
select to_date('8/7/2017', 'mm/dd/yyyy'), 'a' from dual
)
-- End of simulated input data (for testing purposes only, not part of the solution).
-- Use your actual table and column names in the SQL query that begins below this line.
select dt, last_value(value ignore nulls) over (order by dt) as value
from ( select f.dt, i.value
from ( select min_dt + level - 1 as dt
from ( select max(dt) as max_dt, min(dt) as min_dt
from inputs
)
connect by level <= max_dt - min_dt + 1
) f
left outer join inputs i on f.dt = i.dt
)
;
DT VALUE
---------- -----
2017-08-01 x
2017-08-02 x
2017-08-03 x
2017-08-04 x
2017-08-05 b
2017-08-06 b
2017-08-07 a