Introduction
Occasionally, you may need to have a fixed amount of rows in a single table. For example, you may have a configuration type of table which should contain only one row and applications rely on that fact. To ensure that the amount of rows isn't changed, you can use a trigger to prevent insertions and deletions.
Implementation
Let's first create a table with one row. The table is like the following:
CREATE TABLE SingleRow (
SomeNumber NUMBER,
SomeText VARCHAR2(100)
);
And add a single row into it:
INSERT INTO SingleRow (SomeNumber, SomeText) VALUES (1, 'A');
After adding the desired rows (one row in this case), let's add a trigger on the table:
CREATE OR REPLACE TRIGGER SingleRow_Trigger
BEFORE INSERT OR DELETE
ON SingleRow
FOR EACH ROW
BEGIN
RAISE_APPLICATION_ERROR(-20000, 'Table can contain only 1 row');
END;
So the trigger above fires upon INSERT
and DELETE
. The sole purpose of the trigger is to generate an error if the amount of data is about to change.
The trigger is fired before the modification and a custom error with number -20000 is raised.
So what happens now if the amount of rows is going to be changed. Executing the following statement...
INSERT INTO SingleRow (SomeNumber, SomeText) VALUES (2, 'B');
...produces an error message like the next one. Note that the error is received via SQL Developer so the description is larger than it would be in some other tool or program.
Error starting at line 2 in command:
INSERT INTO SingleRow (SomeNumber, SomeText) VALUES (2, 'B')
Error report:
SQL Error: ORA-20000: Table can contain only 1 row
ORA-06512: at "TEST.SINGLEROW_TRIGGER", line 2
ORA-04088: error during execution of trigger 'TEST.SINGLEROW_TRIGGER'
20000. 00000 - "%s"
*Cause: The stored procedure 'raise_application_error'
was called which causes this error to be generated.
*Action: Correct the problem as described in the error message or contact
the application administrator or DBA for more information.
The same error message is received if a DELETE
statement is issued.
What If Changes Need to be Done Momentarily
Sometimes you may need to make changes to the amount of rows. This hardly applies to a single row scenario but in other cases, the total amount of rows may need to be changed.
The easiest way to do this is to use a ALTER TRIGGER...DISABLE
statement, make the modifications and then enable the trigger again.
So deleting the example row in the table succeeds with the following snippet:
ALTER TRIGGER SingleRow_Trigger DISABLE;
DELETE FROM SingleRow;
ALTER TRIGGER SingleRow_Trigger ENABLE;
History
- 19th May, 2012: Initial version