I am trying to create a trigger function in PostgreSQL that should check records with the same id
(i.e. comparison by id
with existing records) before inserting or updating the records. If the function finds records that have the same id
, then that entry is set to be the time_dead
. Let me explain with this example:
INSERT INTO persons (id, time_create, time_dead, name)
VALUES (1, 'now();', ' ', 'james');
I want to have a table like this:
id time_create time-dead name
1 06:12 henry
2 07:12 muka
id 1
had a time_create 06.12
but the time_dead
was NULL
. This is the same as id 2
but next time I try to run the insert
query with same id but different names I should get a table like this:
id time_create time-dead name
1 06:12 14:35 henry
2 07:12 muka
1 14:35 waks
henry and waks share the same id
1
. After running an insert
query henry's time_dead
is equal to waks' time_create
. If another entry was to made with id 1, lets say for james, the time entry for james will be equal to the time_dead
for waks. And so on.
So far my function looks like this. But it's not working:
CREATE FUNCTION tr_function() RETURNS trigger AS '
BEGIN
IF tg_op = ''UPDATE'' THEN
UPDATE persons
SET time_dead = NEW.time_create
Where
id = NEW.id
AND time_dead IS NULL
;
END IF;
RETURN new;
END
' LANGUAGE plpgsql;
CREATE TRIGGER sofgr BEFORE INSERT OR UPDATE
ON persons FOR each ROW
EXECUTE PROCEDURE tr_function();
When I run this its say time_dead
is not supposed to be null
. Is there a way I can write a trigger function
that will automatically enter the time upon inserting or updating
but give me results like the above tables when I run a select
query?
What am I doing wrong?
My two tables:
CREATE TABLE temporary_object
(
id integer NOT NULL,
time_create timestamp without time zone NOT NULL,
time_dead timestamp without time zone,
PRIMARY KEY (id, time_create)
);
CREATE TABLE persons
(
name text
)
INHERITS (temporary_object);