带有WHERE子句的LAG()函数
我有一个工作正常的SQL函数:
SELECT out_hum ,
(out_hum - LAG(out_hum, 1) OVER (ORDER BY id)) As dif
FROM excel_table
但我想在diference(Dif)等于0或大于某个值时选择所有out_hum。当我键入此代码时,出现错误...
SELECT out_hum ,
(out_hum - LAG(out_hum, 1) OVER (ORDER BY id)) As dif
FROM excel_table WHERE dif=0
如何解决此问题?
解决方案
where
子句不能访问select
子句中定义的表达式的别名(因为前者基本上是在之前处理的)。最重要的是,对窗口函数有一个特殊的限制,不能出现在查询的where
子句中(它们只允许出现在select
ANorder by
子句中)。
典型的解决方案是使用派生表,例如子查询:
select *
from (
select out_hum, out_hum - lag(out_hum) over (order by id) as dif
from excel_table
) t
where dif = 0
备注:
减法符号前后不需要括号
1
是lag()
的第二个参数的默认值,因此无需指定
相关文章