How to allow only one row for a table?

后端 未结 3 1529
甜味超标
甜味超标 2021-02-18 18:18

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 pr

相关标签:
3条回答
  • 2021-02-18 18:57

    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?)

    0 讨论(0)
  • 2021-02-18 19:15

    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.

    0 讨论(0)
  • 2021-02-18 19:21

    A UNIQUE constraint allows multiple rows with NULL values, because two NULL values are never considered to be the same.

    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, the column must be defined NOT NULL. Or make it the PRIMARY KEY since PK columns are defined NOT NULL automatically. Details:

    • Why can I create a table with PRIMARY KEY on a nullable column?

    Also, just use boolean:

    CREATE TABLE 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.

    0 讨论(0)
提交回复
热议问题