mysql查询——mysql中数据累加的方法
下图是一张3月份的销售数据表(sales),其中包含字段序号Id、日期Date、销量Sales,现在需要编写一个查询语句,统计3月1日到每日的累计销量。
方法一:通过自定义变量实现
select date,sales,
@cum_sales:=@cum_sales+sales as cum_sales
from sales,(select @cum_sales:=0)c
order by date asc;
方法二:通过将聚合函数sum作为窗口函数实现(mysql8.0及以上版本可用)
select date,sales,
sum(sales)over(order by date) as cum_sales
from sales
order by date asc;
聚合函数sum作为窗口函数的使用方法:
sum(求和列)over([partition by 分区列]order by 排序列 asc/desc)
分区列和排序列可以不在select列表中,但必须在数据源中,order by只对所在分区中的数据进行排序,与select语句中的排序无关,[partition by 分区列]可省略,若未省略则表示分组累计求和。
方法三:通过子查询实现
3月1日到当日的累计销量也就是日期(date)小于或等于当日的销量(sales)求和,用代码表示即(select sum(s2.sales) from sales s2 where date<='当日')as cum_sales。
主查询中的“当日”就是s1.date,连接起来,就可以得到最终的查询语句:
select s1.date,s1.sales,
(select sum(s2.sales) from sales s2 where date<=s1.date)as cum_sales
from sales s1
order by date asc;
查询结果:
您看此文用 · 秒,转发只需1秒呦~