我很难找到基于先前值的更新(而不仅仅是选择)SQL表记录的解决方案。我可以使用LAG()函数来获取脚本以填充紧接的后续记录,但是当我连续使用相同的值(如下面的“CC”)时,我无法使用下一个值来填充不是与当前值相同。
能够添加CASE / WHEN条件以便仅评估具有相同BaseID的值也是有帮助的。任何帮助将不胜感激。
这是我想要的结果:
BaseID Value Date NextValue
1 AA 2017-10-01 BB
1 BB 2017-10-02 CC
1 CC 2017-10-03 DD
1 CC 2017-10-03 DD
1 CC 2017-10-03 DD
1 DD 2017-10-04 NULL
2 EE 2017-10-01 FF
2 FF 2017-10-02 GG
2 GG 2017-10-03 NULL
答案 0 :(得分:0)
获取不同的基数,值,日期组合,并使用lead
获取cte中的下一个值并将其用于update
。
with cte as (select t1.baseid,t1.value,t1.nextvalue,t2.nxt_value
from tbl t1
left join (select t.*,lead(value) over(partition by baseid order by datecol) as nxt_value
from (select distinct baseid,datecol,value from tbl) t
) t2
on t1.baseid=t2.baseid and t1.datecol=t2.datecol and t1.value=t2.value
)
update cte set nextvalue=nxt_value
这假设给定的baseid,日期组合不能有多个值。
答案 1 :(得分:0)
以下是使用DENSE_RANK作为另一种选择的工作示例。
declare @Something table
(
BaseID int
, MyValue char(2)
, MyDate date
, NextValue char(2)
)
insert @Something
(
BaseID
, MyValue
, MyDate
) VALUES
(1, 'AA', '2017-10-01')
, (1, 'BB', '2017-10-02')
, (1, 'CC', '2017-10-03')
, (1, 'CC', '2017-10-03')
, (1, 'CC', '2017-10-03')
, (1, 'DD', '2017-10-04')
, (2, 'EE', '2017-10-01')
, (2, 'FF', '2017-10-02')
, (2, 'GG', '2017-10-03')
;
with SortedResults as
(
select *
, DENSE_RANK() over(partition by BaseID order by BaseID, MyDate ) as MyRank
from @Something
)
update sr set NextValue = sr2.MyValue
from SortedResults sr
join SortedResults sr2 on sr2.MyRank - 1 = sr.MyRank and sr.BaseID = sr2.BaseID
select *
from @Something