この機能を利用して、集計関数をウィンドウ関数として使用するアプローチを次に示します。集計関数は、現在の現在の合計と共に、過去 15 分間の観測値を配列に保持します。状態遷移関数は、15 分のウィンドウに遅れた要素を配列からシフトし、最新の観測をプッシュします。最後の関数は、配列内の平均温度を単純に計算します。
さて、これがメリットになるかどうかは…次第です。データベースアクセス部分ではなく、postgresql の plgpsql 実行部分に焦点を当てています。私自身の経験では、plpgsql は高速ではありません。テーブルを簡単に参照して、観測ごとに過去 15 分間の行を見つけることができる場合は、(@danihp の回答のように) 自己結合がうまく機能します。ただし、このアプローチは、ルックアップが実用的でない、より複雑なソースからの観測に対処できます。いつものように、自分のシステムで試して比較してください。
-- based on using this table definition
create table observation(id int primary key, timestamps timestamp not null unique,
temperature numeric(5,2) not null);
-- note that I'm reusing the table structure as a type for the state here
create type rollavg_state as (memory observation[], total numeric(5,2));
create function rollavg_func(state rollavg_state, next_in observation) returns rollavg_state immutable language plpgsql as $$
declare
cutoff timestamp;
i int;
updated_memory observation[];
begin
raise debug 'rollavg_func: state=%, next_in=%', state, next_in;
cutoff := next_in.timestamps - '15 minutes'::interval;
i := array_lower(state.memory, 1);
raise debug 'cutoff is %', cutoff;
while i <= array_upper(state.memory, 1) and state.memory[i].timestamps < cutoff loop
raise debug 'shifting %', state.memory[i].timestamps;
i := i + 1;
state.total := state.total - state.memory[i].temperature;
end loop;
state.memory := array_append(state.memory[i:array_upper(state.memory, 1)], next_in);
state.total := coalesce(state.total, 0) + next_in.temperature;
return state;
end
$$;
create function rollavg_output(state rollavg_state) returns float8 immutable language plpgsql as $$
begin
raise debug 'rollavg_output: state=% len=%', state, array_length(state.memory, 1);
if array_length(state.memory, 1) > 0 then
return state.total / array_length(state.memory, 1);
else
return null;
end if;
end
$$;
create aggregate rollavg(observation) (sfunc = rollavg_func, finalfunc = rollavg_output, stype = rollavg_state);
-- referring to just a table name means a tuple value of the row as a whole, whose type is the table type
-- the aggregate relies on inputs arriving in ascending timestamp order
select rollavg(observation) over (order by timestamps) from observation;