我创建了这个声明:
CREATE TABLE shoelace_log (
sl_name text, -- shoelace changed
sl_avail integer, -- new available value
log_who text, -- who did it
log_when timestamp -- when);
CREATE RULE log_shoelace AS ON UPDATE TO shoelace_data
WHERE NEW.sl_avail <> OLD.sl_avail
DO INSERT INTO shoelace_log VALUES (
NEW.sl_name,
NEW.sl_avail,
current_user,
current_timestamp
);
当我尝试在pgAdmin3查询控制台中执行查询时:
UPDATE shoelace_data SET sl_avail = 6 WHERE sl_name = 'sl7';
仅执行更新查询,并且不会触发规则。我尝试使用命令EXPLAIN来理解原因。
EXPLAIN UPDATE shoelace_log SET sl_avail = 6 WHERE sl_name = 'sl7';
日志说:
"Seq Scan on shoelace_log (cost=0.00..19.66 rows=4 width=32)"
" Filter: (sl_name = 'sl7'::text)"
"Seq Scan on shoelace_log (cost=0.00..19.62 rows=4 width=78)"
" Filter: (sl_name = 'sl7'::text)"
我也尝试在EXPLAIN中使用VERBOSE选项,但我无法理解为什么我的事件没有被触发。
答案 0 :(得分:3)
您选择了错误的功能。完全忘记规则 - 他们非常努力,几乎不可能做得对。
这里你需要的是一个触发器:
create or replace function shoelace_log_who_when()
returns trigger language plpgsql as
$$
begin
if OLD.sl_avail is distinct from NEW.sl_avail then
NEW.log_who = current_user;
NEW.log_when = current_timestamp;
end if;
return NEW;
end;
$$;
create trigger shoelace_log_who_when before update on shoelace_log
for each row execute procedure shoelace_log_who_when();
试一试:
insert into shoelace_log values ( 'foo', 1, NULL, NULL ); select * from shoelace_log;
sl_name | sl_avail | log_who | log_when ---------+----------+---------+---------- foo | 1 | |
update shoelace_log set sl_avail=2; select * from shoelace_log;
sl_name | sl_avail | log_who | log_when ---------+----------+----------+--------------------------- foo | 2 | tometzky | 2011-03-30 17:06:21.07137
答案 1 :(得分:1)
您可能还想考虑使用为您执行此操作的预构建插件:
答案 2 :(得分:0)
我试过这个例子,但它确实奏效了。但我必须首先创建shoelace_data表。该表不在示例中。
create table shoelace_data (
sl_name text,
sl_avail integer
);
insert into shoelace_data values ('Catcall', 3);
update shoelace_data set sl_avail = 5;
现在,如果您从 log 表中进行选择。 。
select * from shoelace_log;
"Catcall";5;"postgres";"2011-03-31 20:40:10.906"
请注意,当 shoelace_data 中的 sl_avail 列更新时,规则会插入 shoelace_log 。