SQL Server渐进/复合减法



我有一个如下所示的表。我试图找出如何更新"endval"列的值,从"startval"列,在"效果"列中每5倍减少10%。

declare @tbl table ( rowid int , effect Int , startval decimal(6,2) , endval decimal(6,2) )
insert @tbl values 
  ( 0 , 10 , 6 , null )   -- expect 4.86 in endval
, ( 1 , 40 , 10 , null  ) -- expect 4.30 in endval
, ( 2 , 7  , 1 , null ) -- expect .9 in endval
select * from @tbl

注意行2在"effect"一栏中没有5的偶数倍,所以它只减少一次10%。

我试图在TSQL(2012)中提出任何"渐进式百分比"的方法,但没有想到。帮助吗?

谢谢。

使用POWER应用多个百分比

declare @tbl table ( rowid int , effect Int , startval decimal(6,2) , endval decimal(6,2) )
insert @tbl values 
      ( 0 , 10 , 6 , null )   -- expect 4.86 in endval
    , ( 1 , 40 , 10 , null  ) -- expect 4.30 in endval
    , ( 2 , 7  , 1 , null ) -- expect .9 in endval
select  rowid, startval, [endval]=power(0.90, effect/5)*startval
from    @tbl;

结果:

rowid   startval    endval
0       6.00        4.8600
1       10.00       4.3000
2       1.00        0.9000

在cte中一个简单的循环也可以完成:

;with cte (rowid, calc, i) as
(
    select  rowid, startval, effect/5
    from    @tbl
    union all
    select  t.rowid, cast(calc*.9 as decimal(6,2)), i-1
    from    @tbl t
    join    cte c on 
            c.rowid = t.rowid
    where   c.i > 0
)
select  * 
from    cte c
where   i = 0
order
by      rowid;

结果:

rowid   calc    i
0       4.86    0
1       4.30    0
2       0.90    0

相关内容

  • 没有找到相关文章

最新更新