Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL Server - Cumulative Sum that resets when 0 is encountered

I would like to do a cumulative sum on a column, but reset the aggregated value whenever a 0 is encountered

Here is an example of what i try to do :

This dataset :

pk    price
1     10
2     15
3     0
4     10
5     5

Gives this:

pk    price
1     10
2     25
3     0
4     10 
5     15
like image 985
Maxime Lgv Avatar asked May 17 '18 14:05

Maxime Lgv


1 Answers

In SQL Server 2008, you are severely limited because you cannot use analytic functions. The following is not efficient, but it will solve your problem:

with tg as (
      select t.*, g.grp
      from t cross apply
           (select count(*) as grp
            from t t2
            where t2.pk <= t.pk and t2.pk = 0
           ) g
     )
select tg.*, p.running_price
from tg cross apply
     (select sum(tg2.price) as running_price
      from tg tg2
      where tg2.grp = tg.grp and tg2.pk <= tg.pk
     ) p;

Alas, prior to SQL Server 2012, the most efficient solution might involve cursors. In SQL Server 2012+, you simply do:

select t.*,
       sum(price) over (partition by grp order by pk) as running_price
from (select t.*,
             sum(case when price = 0 then 1 else 0 end) over (order by pk) as grp
      from t
     ) t;
like image 145
Gordon Linoff Avatar answered Sep 24 '22 14:09

Gordon Linoff