sql-server – 如何减去sql中的上一行?

前端之家收集整理的这篇文章主要介绍了sql-server – 如何减去sql中的上一行?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
如果我想将当前行减去上一行,我该怎么查询?我将在vb6循环中使用它.
这样的东西:
Row
1
2
3
4
5

在第一个循环值1将不被扣除,因为它没有上一行,这是确定.
然后,下一个循环值2将被前一行值1扣除.直到最后一行.

如何实现这个例程?
通过SQL查询或VB6代码.Any会做.

解决方法

假设你有一个排序列 – 说id,那么你可以在sql Server 2012中执行以下操作:
select col,col - coalesce(lag(col) over (order by id),0) as diff
from t;

在早期版本的sql Server中,您可以使用相关的子查询做几乎相同的事情:

select col,col - isnull((select top 1 col
                     from t t2
                     where t2.id < t.id
                     order by id desc
                    ),0)
from t

这使用isnull()而不是coalesce(),因为sql Server中的“错误”,使用coalesce()来评估第一个参数两次.

您也可以使用row_number():

with cte as (
      select col,row_number() over (order by id) as seqnum
      from t
     )
select t.col,t.col - coalesce(tprev.col,0) as diff
from t left outer join
     t tprev
     on t.seqnum = tprev.seqnum + 1;

所有这些假定您有一些列来指定排序.它可能是一个id,或者创建日期或其他东西. sql表本身是无序的,所以没有一列指定排序的“上一行”就没有这样的东西.

原文链接:https://www.f2er.com/mssql/75003.html

猜你在找的MsSQL相关文章