有人可以帮助我如何从开始日期创建结束日期。
产品指一家公司进行测试,而产品与该公司在不同的日期进行多次测试,并记录测试日期以建立产品状态即(outcomeID)。我需要建立作为 testDate 的 StartDate 和作为下一行的开始日期的 EndDate。但是,如果多个连续测试导致相同的 OutcomeID,我只需要返回一行,其中包含第一个测试的 StartDate 和最后一个测试的结束日期。换句话说,如果结果ID 在几次连续测试中没有改变。这是我的数据集
DECLARE @ProductTests TABLE
(
RequestID int not null,
ProductID int not null,
TestID int not null,
TestDate datetime null,
OutcomeID int
)
insert into @ProductTests
(RequestID ,ProductID ,TestID ,TestDate ,OutcomeID )
select 1,2,22,'2005-01-21',10
union all
select 1,2,42,'2007-03-17',10
union all
select 1,2,45,'2010-12-25',10
union all
select 1,2,325,'2011-01-14',13
union all
select 1,2,895,'2011-08-10',15
union all
select 1,2,111,'2011-12-23',15
union all
select 1,2,636,'2012-05-02',10
union all
select 1,2,554,'2012-11-08',17
--select *来自@producttests
RequestID ProductID TestID TestDate OutcomeID
1 2 22 2005-01-21 10
1 2 42 2007-03-17 10
1 2 45 2010-12-25 10
1 2 325 2011-01-14 13
1 2 895 2011-08-10 15
1 2 111 2011-12-23 15
1 2 636 2012-05-02 10
1 2 554 2012-11-08 17
这就是我需要实现的目标。
RequestID ProductID StartDate EndDate OutcomeID
1 2 2005-01-21 2011-01-14 10
1 2 2011-01-14 2011-08-10 13
1 2 2011-08-10 2012-05-02 15
1 2 2012-05-02 2012-11-08 10
1 2 2012-11-08 NULL 17
正如您从数据集中看到的,前三个测试(22、42 和 45)都导致 OutcomeID 10,所以在我的结果中,我只需要测试 22 的开始日期和测试 45 的结束日期,即测试 325 的开始日期。正如您在测试 636 中看到的,结果 ID 已从 15 变回 10,因此它也需要返回。
--这是我目前使用以下脚本设法实现的
select T1.RequestID,T1.ProductID,T1.TestDate AS StartDate
,MIN(T2.TestDate) AS EndDate ,T1.OutcomeID
from @producttests T1
left join @ProductTests T2 ON T1.RequestID=T2.RequestID
and T1.ProductID=T2.ProductID and T2.TestDate>T1.TestDate
group by T1.RequestID,T1.ProductID ,T1.OutcomeID,T1.TestDate
order by T1.TestDate
结果:
RequestID ProductID StartDate EndDate OutcomeID
1 2 2005-01-21 2007-03-17 10
1 2 2007-03-17 2010-12-25 10
1 2 2010-12-25 2011-01-14 10
1 2 2011-01-14 2011-08-10 13
1 2 2011-08-10 2011-12-23 15
1 2 2011-12-23 2012-05-02 15
1 2 2012-05-02 2012-11-08 10
1 2 2012-11-08 NULL 17