I have one table in which I would like only one entry. So if someone is trying to insert another row it shouldn't be allowed, only after someone deleted the previously existing row.
How do I set a rule for a table like this?
I have one table in which I would like only one entry. So if someone is trying to insert another row it shouldn't be allowed, only after someone deleted the previously existing row.
How do I set a rule for a table like this?
A UNIQUE
constraint allows multiple rows with null
values, because two null
values are not considered to be the same. (Except when using NULLS NOT DISTINCT
in Postgres 15 or later.)
Similar considerations apply to CHECK
constraints. They allow the expression to be true
or null
(just not false
). Again, null
values get past the check.
To rule that out, define the column NOT NULL
. Or make it the PRIMARY KEY
since PK columns are defined NOT NULL
automatically. See:
Also, just use boolean
:
CREATE TABLE public.onerow (
onerow_id bool PRIMARY KEY DEFAULT TRUE
, data text
, CONSTRAINT onerow_uni CHECK (onerow_id)
);
The CHECK
constraint can be that simple for a boolean
column. Only true
is allowed.
You may want to REVOKE
(or not GRANT
) the DELETE
and TRUNCATE
privileges from public
(and all other roles) to prevent the single row from ever being deleted. Like:
REVOKE DELETE, TRUNCATE ON public.onerow FROM public;
Add a new column to the table, then add a check constraint and a uniqueness constraint on this column. For example:
CREATE TABLE logging (
LogId integer UNIQUE default(1),
MyData text,
OtherStuff numeric,
Constraint CHK_Logging_singlerow CHECK (LogId = 1)
);
Now you can only ever have one row with a LogId = 1. If you try to add a new row it will either break the uniqueness or check constraint.
(I might have messed up the syntax, but it gives you an idea?)
You should create a ON BEFORE INSERT
trigger on this table. On the trigger, call a procedure that checks count(*)
and when the count is 1, it returns an exception message to the user otherwise the insert is allowed to proceed.
Check this documentation for an example.
I suppose no additional field is requried here. Just unique index on constant:
CREATE UNIQUE INDEX ux_onerow ON onerow ((0));
You can force single row with:
id int GENERATED ALWAYS AS (1) STORED UNIQUE
This will force the id
column to always be 1
and since it's a UNIQUE
column the table will only be able to hold this row.