200字范文,内容丰富有趣,生活中的好帮手!
200字范文 > 妙用SQL Server聚合函数和子查询迭代求和

妙用SQL Server聚合函数和子查询迭代求和

时间:2019-01-17 22:48:45

相关推荐

妙用SQL Server聚合函数和子查询迭代求和

人生本是一个不断学习的过程,在这个过程中,就是你们的好帮手,下面分享的妙用SQL Server聚合函数和子查询迭代求和懂设计的网友们快点来了解吧!

先看看下面的表和其中的数据:

t_product

图1

该表有两个字段:xh和price, 其中xh是主索引字段,现在要得到如下的查询结果:

图2

从上面的查询结果可以看出,totalprice字段值的规则是从第1条记录到当前记录的price之和。如第3条记录的totalprice字段的值是10 + 25 + 36 = 71。

现在要通过t_product表中的数据生成图2所示的查询结果。可能会有很多读者想到使用循环和游标,不过这种方式效率并不高,尤其在记录非常多的情况。

从图2的查询结果分析可知,这个结果仍然是求和的操作,只是并不是对所有的记录求和,也不是分组求和,而是使用迭代的方式进行求和,求和的公式如下:

当前记录的totalprice值 = 当前记录的price值 + 上一条记录的totalprice值

上一条记录的totalprice值也可看成是当前记录以前所有记录的price值之和。因此,可以对每一条记录进行求和(使用sum函数),不过要求出当前记录及以前的记录的price之和,如下面的SQL语句:

select a.xh, ,

(select sum(price) from t_product b where b.xh = a.xh) as totalprice

from t_product a

从上面的SQL语句可以看出,使用了一个子查询来求totalprice字段的值,基本原理就是根据当前记录的xh值来计算从当前记录往前所有记录的值之和,表示子查询当前的值,在子查询中,相当于常量。上面的语句的查询结果和图完全一样。如果我们的需求是不包含当前记录的值,也就是说,计算字段的公式如下:

当前记录的totalprice值 = 上一条当前记录的price值 + 上一条记录的totalprice值

第一条记录的totalprice值就是当前记录的price值,查询t_product表的结果如图3所示。

图3

要查询出上述的记录也很容易,只需要将=改成即可,SQL语句如下:

select a.xh, ,

(select sum(price) from t_product b where b.xh a.xh) as totalprice

from t_product a

但上面的SQL查询出来的记录的第一条的totalprice字段值为null,如图4所示。

图4

为了将这个null换成10,可以使用case语句,SQL语句如下:

select xh, price,

(casewhen totalprice is null then price else totalprice end ) as totalprice

from

(select a.xh, (selectsum(price) from t_product b where b.xh a.xh)as totalprice ,

from t_product a)x

在上面的SQL语句共有三层select查询,最里面一层如下:

selectsum(price) from t_product b where b.xh a.xh)

中间一层的子查询如下:

select a.xh, (selectsum(price) from t_product b where b.xh a.xh)as totalprice ,

from t_product a

最外面一层当然就是整个select语句了。

在执行上面的SQL后,将会得到和图3一样的查询结果了。

如果读者不喜欢写太长的SQL,可以将部分内容写到函数里,代码如下:

create function mysum(@xh int, @price int) returns int

begin

return (select

(case when totalprice is null then @priceelse totalprice end) as totalprice

from ( selectsum(price) as totalprice from t_product where xh @xh) x)

end

可使用下面的SQL语句来使用这个函数:

select xh, price, (xh, price)as totalprice

from t_product

在执行上面的SQL后,将得出如图3所示的查询结果。

建立t_product表的SQL语句(SQLServer)如下:

SET ANSI_NULLS ON

GO

SET QUOTED_IDENTIFIER ON

GO

IF NOT EXISTS (SELECT * FROM WHERE object_id = OBJECT_ID(N'[dbo].[t_product]') AND type in (N'U'))

BEGIN

CREATE TABLE [dbo].[t_product](

[xh] [int] NOT NULL,

[price] [int] NOT NULL,

CONSTRAINT [PK_t_product] PRIMARY KEY CLUSTERED

(

[xh] ASC

)WITH (IGNORE_DUP_KEY = OFF) ON [PRIMARY]

) ON [PRIMARY]

END

文章

本内容不代表本网观点和政治立场,如有侵犯你的权益请联系我们处理。
网友评论
网友评论仅供其表达个人看法,并不表明网站立场。