Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to allow only one row for a table?

Tags:

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?

like image 366
X-jo Avatar asked Aug 14 '14 11:08

X-jo


People also ask

How do I make only one row in SQL?

To return only the first row that matches your SELECT query, you need to add the LIMIT clause to your SELECT statement. The LIMIT clause is used to control the number of rows returned by your query. When you add LIMIT 1 to the SELECT statement, then only one row will be returned.

How do I get only one row in SQL Server?

While the table name is selected type CTRL + 3 and you will notice that the query will run and will return a single row as a resultset. Now developer just has to select the table name and click on CTRL + 3 or your preferred shortcut key and you will be able to see a single row from your table.

How do I SELECT only certain rows in SQL?

To select rows using selection symbols for character or graphic data, use the LIKE keyword in a WHERE clause, and the underscore and percent sign as selection symbols. You can create multiple row conditions, and use the AND, OR, or IN keywords to connect the conditions.


2 Answers

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 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; 
like image 158
Erwin Brandstetter Avatar answered Oct 16 '22 02:10

Erwin Brandstetter


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

like image 32
Richard Hansell Avatar answered Oct 16 '22 01:10

Richard Hansell