我正在尝试实现表分区,并且在PostgreSQL中有以下代码(来自https://www.postgresql.org/docs/9.6/ddl-partitioning.html的源代码)
CREATE or replace FUNCTION child_tables.func_inventory_movement_insert_trigger()
RETURNS trigger
LANGUAGE 'plpgsql'
COST 100
VOLATILE NOT LEAKPROOF
AS $BODY$BEGIN
IF ( NEW.report_date >= '2019-04-01 ' AND
NEW.report_date < '2019-05-01 ' ) THEN
INSERT INTO child_tables.inventory_movement_y2019m03 VALUES (NEW.*);
ELSIF ( NEW.report_date >= '2019-06-01 ' AND
NEW.report_date < '2019-07-01 ' ) THEN
INSERT INTO child_tables.inventory_movement_y2019m04 VALUES (NEW.*);
ELSE
RAISE EXCEPTION
' out of range exception. Fix the child_tables.func_inventory_movement_insert_trigger() function. ';
END IF;
RETURN NULL;
END;
$BODY$;
触发功能:
CREATE TRIGGER im_partition_trigger
BEFORE INSERT OR DELETE OR UPDATE
ON core.inventory_movement
FOR EACH ROW
EXECUTE PROCEDURE child_tables.func_inventory_movement_insert_trigger();
在上述触发器之后或之前都尝试过。
ERROR: record "new" is not assigned yet DETAIL: The tuple structure of a not-yet-assigned record is indeterminate.
仅供参考,相同的代码适用于另一张桌子。
有什么建议吗?
答案 0 :(得分:2)
您的触发器已定义
BEFORE INSERT OR DELETE OR UPDATE
但是没有为NEW
定义DELETE
。因此,您的触发功能注定会像失败一样失败。
分别编写单独的触发器函数和INSERT
/ UPDATE
/ DELETE
的触发器(推荐)。显示的触发功能仅处理INSERT
。因此,此触发器很有意义:
CREATE TRIGGER im_partition_trigger
BEFORE INSERT -- !!
ON core.inventory_movement
FOR EACH ROW EXECUTE PROCEDURE child_tables.func_inventory_movement_insert_trigger();
或将对OLD
和NEW
的所有调用嵌套在IF
或CASE
结构的组合触发函数中,检查TG_OP
。
Code examples in many related questions.
也就是说,要 实现表分区 ,我宁愿在Postgres 10或更高版本中使用declarative partitioning。理想情况下,请使用即将发布的Postgres 12,该分区将带来很大的分区改进。
此外,在Postgres 11或更高版本中,请对触发器使用固定语法:
...
FOR EACH ROW EXECUTE FUNCTION child_tables.func_inventory_movement_insert_trigger();
这是一个函数,而不是一个“过程”。