SQL中的postgrerolling移动平均数



我正在研究如何在postgresql中进行移动平均。我已经做的是:

with sma as (
select date,
avg(col) over(order by date rows between 20 preceding and current row) mov_avg
from eurusd_ohlc
)
select date, lag(mov_avg,1) over(order by date)  from sma

这给了我移动平均线的结果,但它也计算出了值,即使没有足够的项来计算20个周期的移动平均线。我得到的结果如下:

-----------------------------------------------------
|             date         |           sma          |
|2020-02-20 03:27:35.140751|    NULL                |
|2020-02-20 04:19:17.088462|    1.07966             |
|2020-02-20 05:54:44.060929|    1.0796299999999999  |
|2020-02-20 06:41:32.916934|    1.07964             |
|2020-02-20 07:11:59.667919|    1.0794899999999998  |
|2020-02-20 07:26:06.342439|    1.07938             |
|2020-02-20 07:44:15.313053|    1.0792033333333333  |
|2020-02-20 08:06:31.498739|    1.0791971428571427  |
|2020-02-20 08:26:12.278109|    1.07920625          |
|2020-02-20 08:50:23.925312|    1.079178888888889   |
|2020-02-20 09:14:48.951868|    1.079202            |

虽然这是正确的,因为它用1、2、3计算平均值,一直到20个值,然后它实际上收敛了,我希望前20行是"零",因为没有20行可以计算平均值并开始在第n°20行中获得平均值(如果我使用滞后,则为21行(。

我怎样才能做到这一点?

我认为您可以简化逻辑:

select date, avg(col) over (order by date rows between 21 preceding and 1 preceding)
from eurusd_ohlc

使用case表达式获取nulls:

select date,
(case when row_number() over (order by date) >= 21
then avg(col) over (order by date rows between 21 preceding and 1 preceding)
end) as mov_avg
from eurusd_ohlc

最新更新