我有一个看起来像这样的表:
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都需要表别名
注意事项:
MySQL具体; 不可移植到其他数据库
这ORDER BY
很重要; 它确保顺序与OP匹配,并且可以对更复杂的变量使用产生更大的影响(IE:psuedo 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 ? ???????????????????????????????
分贝<>小提琴