我有一个看起来像这样的表:
id count
1 100
2 50
3 10
我想添加一个名为cumulative_sum 的新列,因此该表如下所示:
id count cumulative_sum
1 100 100
2 50 150
3 10 160
是否有可以轻松做到这一点的 MySQL 更新语句?实现这一目标的最佳方法是什么?
我有一个看起来像这样的表:
id count
1 100
2 50
3 10
我想添加一个名为cumulative_sum 的新列,因此该表如下所示:
id count cumulative_sum
1 100 100
2 50 150
3 10 160
是否有可以轻松做到这一点的 MySQL 更新语句?实现这一目标的最佳方法是什么?
SELECT t.id,
t.count,
(SELECT SUM(x.count)
FROM TABLE x
WHERE x.id <= t.id) AS cumulative_sum
FROM TABLE t
ORDER BY t.id
SELECT t.id,
t.count,
@running_total := @running_total + t.count AS cumulative_sum
FROM TABLE t
JOIN (SELECT @running_total := 0) r
ORDER BY t.id
笔记:
JOIN (SELECT @running_total := 0) r
是一个交叉连接,允许变量声明而不需要单独的SET
命令。 r
对于任何子查询/派生表/内联视图,MySQL 都需要表别名 。注意事项:
ORDER BY
很重要;它确保顺序与 OP 匹配,并且可以对更复杂的变量使用产生更大的影响(即:伪 ROW_NUMBER/RANK 功能,这是 MySQL 缺乏的)如果性能是一个问题,您可以使用 MySQL 变量:
set @csum := 0;
update YourTable
set cumulative_sum = (@csum := @csum + count)
order by id;
或者,您可以删除该cumulative_sum
列并在每个查询上计算它:
set @csum := 0;
select id, count, (@csum := @csum + count) as cumulative_sum
from YourTable
order by id;
这以运行方式计算运行总和:)
MySQL 8.0/MariaDB 支持窗口化SUM(col) OVER()
:
SELECT *, SUM(cnt) OVER(ORDER BY id) AS cumulative_sum
FROM tab;
输出:
┌─────┬──────┬────────────────┐
│ id │ cnt │ cumulative_sum │
├─────┼──────┼────────────────┤
│ 1 │ 100 │ 100 │
│ 2 │ 50 │ 150 │
│ 3 │ 10 │ 160 │
└─────┴──────┴────────────────┘
UPDATE t
SET cumulative_sum = (
SELECT SUM(x.count)
FROM t x
WHERE x.id <= t.id
)
select Id, Count, @total := @total + Count as cumulative_sum
from YourTable, (Select @total := 0) as total ;
示例查询
SET @runtot:=0;
SELECT
q1.d,
q1.c,
(@runtot := @runtot + q1.c) AS rt
FROM
(SELECT
DAYOFYEAR(date) AS d,
COUNT(*) AS c
FROM orders
WHERE hasPaid > 0
GROUP BY d
ORDER BY d) AS q1
您还可以创建一个触发器,在每次插入之前计算总和
delimiter |
CREATE TRIGGER calCumluativeSum BEFORE INSERT ON someTable
FOR EACH ROW BEGIN
SET cumulative_sum = (
SELECT SUM(x.count)
FROM someTable x
WHERE x.id <= NEW.id
)
set NEW.cumulative_sum = cumulative_sum;
END;
|
我没有测试过这个
从表名中选择 id,count,sum(count)over(order by count desc) 作为累积总和;
我在 count 列上使用了 sum 聚合函数,然后使用了 over 子句。它单独总结每一行。第一行将是 100。第二行将是 100+50。第三行是 100+50+10,以此类推。所以基本上每一行都是它和前面所有行的总和,最后一行是所有行的总和。所以看这个的方法是每一行是ID小于或等于自身的数量的总和。
select t1.id, t1.count, SUM(t2.count) cumulative_sum
from table t1
join table t2 on t1.id >= t2.id
group by t1.id, t1.count
一步步:
1-给定下表:
select *
from table t1
order by t1.id;
id | count
1 | 11
2 | 12
3 | 13
2 - 按组获取信息
select *
from table t1
join table t2 on t1.id >= t2.id
order by t1.id, t2.id;
id | count | id | count
1 | 11 | 1 | 11
2 | 12 | 1 | 11
2 | 12 | 2 | 12
3 | 13 | 1 | 11
3 | 13 | 2 | 12
3 | 13 | 3 | 13
3- 第 3 步:按 t1.id 组对所有计数求和
select t1.id, t1.count, SUM(t2.count) cumulative_sum
from table t1
join table t2 on t1.id >= t2.id
group by t1.id, t1.count;
id | count | cumulative_sum
1 | 11 | 11
2 | 12 | 23
3 | 13 | 36