小编典典

在MySQL中模拟延迟功能

mysql

| time                | company | quote |
+---------------------+---------+-------+
| 0000-00-00 00:00:00 | GOOGLE  |    40 |
| 2012-07-02 21:28:05 | GOOGLE  |    60 |
| 2012-07-02 21:28:51 | SAP     |    60 |
| 2012-07-02 21:29:05 | SAP     |    20 |

如何在MySQL中的此表上做滞后处理以打印引号中的差异,例如:

GOOGLE | 20
SAP    | 40

阅读 530

收藏
2020-05-17

共1个答案

小编典典

这是我最喜欢的MySQL hack。

这是模拟滞后函数的方式:

SET @quot=-1;
select time,company,@quot lag_quote, @quot:=quote curr_quote
  from stocks order by company,time;
  • lag_quote保存上一行报价的值。对于第一行,@ quot是-1。
  • curr_quote 保留当前行的报价的值。

笔记:

  1. order by 子句在这里很重要,就像在常规窗口函数中一样。
  2. 您可能还想使用lag company来确保计算相同引号的差异company
  3. 您也可以以相同的方式实现行计数器 @cnt:=@cnt+1

与该方案相比,与使用聚合函数,存储过程或在应用程序服务器中处理数据等其他方法相比,该方案在计算上非常精益。

编辑:

现在开始以您提到的格式获取结果的问题:

SET @quot=0,@latest=0,company='';
select B.* from (
select A.time,A.change,IF(@comp<>A.company,1,0) as LATEST,@comp:=A.company as company from (
select time,company,quote-@quot as change, @quot:=quote curr_quote
from stocks order by company,time) A
order by company,time desc) B where B.LATEST=1;

嵌套不是相互关联的,因此(在计算上)不如在语法上看起来那么糟糕:)

让我知道您是否需要任何帮助。

2020-05-17