我需要创建一个聚合函数。例如,MAX(column)返回已分析行的最大列值。我的新函数LAST_ALERT_VALUE(column)应该返回具有最大接收时间的行的列值。
例如:如果我有:
| severity | reception_time |
|----------------+-------------------------|
| 1 + 2016-07-04 00:00:00.000 |
| 3 + 2016-09-04 00:00:00.000 |
| 4 + 2016-08-04 00:00:00.000 |
| 2 + 2016-11-04 00:00:00.000 |
| 5 + 2016-10-04 00:00:00.000 |
然后LAST_ALERT_VALUE(严重性)应返回2
我这是我的代码:
CREATE OR REPLACE FUNCTION max_reception_time(time1 anyelement, time2 anyelement) RETURNS anyelement AS $$
BEGIN
if time1 > time2 then
return time1;
end if;
return time2;
END;
$$ LANGUAGE plpgsql;
CREATE OR REPLACE FUNCTION last_alert_value_func(p_reception_time anyelement) RETURNS anyelement AS $$
BEGIN
SELECT severity FROM report.report_table AS r WHERE r.reception_time = p_reception_time;
END;
$$ LANGUAGE plpgsql;
CREATE AGGREGATE last_alert_value(anyelement)
(
sfunc = max_reception_time,
stype = anyelement,
finalfunc = last_alert_value_func
);
select last_alert_value(severity) from report.report_table;
我有一个错误:错误:运算符不存在:没有时区的时间戳= alerteverityenum
如何使last_alert_value(severity)有效?我还想将last_alert_value的其他列作为参数,我该怎么做?
答案 0 :(得分:2)
您的汇总毫无意义,因为您可以做到
select severity
from report_table
order by reception_time desc
limit 1;
假设这只是一个自定义聚合的示例,该聚合包含多个参数,则解决方案可能如下所示:
create or replace function max_reception_time(state_rec report_table, severity int, reception_time timestamp)
returns report_table language sql as $$
select case
when state_rec.reception_time > reception_time
then state_rec
else (severity, reception_time)::report_table
end;
$$;
create or replace function max_reception_time_final(state_rec report_table)
returns int language sql as $$
select state_rec.severity
$$;
create aggregate last_alert_value(severity int, reception_time timestamp)
(
sfunc = max_reception_time,
stype = report_table,
finalfunc = max_reception_time_final
);
select last_alert_value(severity, reception_time)
from report_table t;
请注意,我已经使用report_table
作为状态数据类型。您可以改为创建复合类型。