从一组日期生成年份的日期范围



使用Oracle 12c

我需要从每个ID的一组日期生成年份的日期范围。我试着用LEVEL和CONNECT BY子句工作,但我不完全理解它,我无法想出一个解决方案。请参阅下面的示例和预期结果。任何帮助都是感激的!

WITH dataset AS
(SELECT 1 id,'01-Jan-2015' dt_fr,'01-Jan-2018' dt_to FROM DUAL
UNION SELECT 2 id,'01-Dec-2016' dt_fr,'01-Dec-2020' dt_to FROM DUAL
UNION SELECT 3 id,'01-May-2015' dt_fr,'01-May-2015' dt_to FROM DUAL
)
SELECT id
,--dt_fr
,--dt_to
FROM dataset
ID  yr_from    yr_to
1   01-Jan-15   31-Dec-15
1   01-Jan-16   31-Dec-16
1   01-Jan-17   31-Dec-17
1   01-Jan-18   31-Dec-18
2   01-Dec-16   30-Nov-17
2   01-Dec-17   30-Nov-18
2   01-Dec-18   30-Nov-19
2   01-Dec-19   30-Nov-20
2   01-Dec-20   30-Nov-21
3   01-May-15   30-Apr-16

在Oracle 12中,除了connect by,您还可以使用cross apply子句来生成";level &;";分别为每个输入行。这使得代码更简洁,因为您不必处理数据中的循环,而且速度更快。

在你的代码中,你可能在表示日期的地方显示字符串。我编写的查询好像输入是实际日期(输出也是日期);我改变了我的nls_date_format,使输出与您的格式匹配,并且我不需要在with子句中明确地给出to_date的格式。

alter session set nls_date_format = 'dd-Mon-yyyy';
with
dataset (id, dt_fr, dt_to) as (
select 1, to_date('01-Jan-2015'), to_date('01-Jan-2018') from dual union all
select 2, to_date('01-Dec-2016'), to_date('01-Dec-2020') from dual union all
select 3, to_date('01-May-2015'), to_date('01-May-2015') from dual
)
select id
, add_months(dt_fr, 12 * (lvl - 1)) as yr_from
, add_months(dt_fr, 12 * lvl) - 1   as yr_to
from   dataset
cross apply
( select  level as lvl
from    dual
connect by level <= months_between(dt_to, dt_fr) / 12 + 1
)
order by id, dt_fr   --   if needed
;
ID YR_FROM     YR_TO      
--- ----------- -----------
1 01-Jan-2015 31-Dec-2015
1 01-Jan-2016 31-Dec-2016
1 01-Jan-2017 31-Dec-2017
1 01-Jan-2018 31-Dec-2018
2 01-Dec-2016 30-Nov-2017
2 01-Dec-2017 30-Nov-2018
2 01-Dec-2018 30-Nov-2019
2 01-Dec-2019 30-Nov-2020
2 01-Dec-2020 30-Nov-2021
3 01-May-2015 30-Apr-2016

最新更新