drop TABLE myconditions
ORA-00942: table or view does not existMore Details: https://docs.oracle.com/error-help/db/ora-00942
CREATE TABLE myconditions
(
conditionid INT generated always as IDENTITY PRIMARY KEY ,
minvalue INT not null,
maxvalue INT not null,
result INT
)
Table created.
insert into MyConditions (MinValue, MaxValue, Result)
select 10, 20, 1 from dual union all
select 20, 30, 2 from dual union all
select 0, 9, 3 from dual union all
select 31, 40, 3 from dual
4 row(s) inserted.
compound trigger
create or replace trigger myconditions_trg
for insert or update of minvalue, maxvalue
on myconditions
compound trigger
type condition_array is table of int
index by binary_integer;
conditions condition_array;
procedure validate_range (p_id in int) is
overlapping_range exception;
dummy char(1);
begin
begin
select null into dummy
from myconditions t1
, myconditions t2
where t1.conditionid = p_id
and t2.conditionid != p_id
and t1.minvalue != t2.minvalue
and (
t1.minvalue between t2.minvalue and t2.maxvalue
or
t1.maxvalue between t2.minvalue and t2.maxvalue
)
and rownum = 1;
raise overlapping_range;
exception
when no_data_found then
-- what we're hoping for, no overlaps found
null;
end;
exception
when overlapping_range then
raise_application_error(-20000,
'overlapping range for id #' || p_id);
end validate_range;
procedure validate_ranges is
l_id int;
begin
l_id := conditions.first;
loop
exit when l_id is null;
validate_range (l_id);
l_id := conditions.next(l_id);
end loop;
conditions.delete;
exception
when others then
conditions.delete;
raise;
end validate_ranges;
BEFORE EACH ROW is
begin
-- store id to validate
conditions(:new.conditionid) := 1;
end before each row;
AFTER STATEMENT is
begin
validate_ranges;
end after statement;
end myconditions_trg;
Trigger created.
insert into MyConditions (MinValue, MaxValue, Result)
select 101, 120, 1 from dual
1 row(s) inserted.
insert into MyConditions (MinValue, MaxValue, Result)
select 111, 125, 1 from dual
ORA-20000: Overlapping range for ID #6 ORA-06512: at "SQL_PLECJXYOFMTFRJBSNJZOUPTXP.MYCONDITIONS_TRG", line 56 ORA-06512: at "SQL_PLECJXYOFMTFRJBSNJZOUPTXP.MYCONDITIONS_TRG", line 39 ORA-06512: at "SQL_PLECJXYOFMTFRJBSNJZOUPTXP.MYCONDITIONS_TRG", line 49 ORA-06512: at "SQL_PLECJXYOFMTFRJBSNJZOUPTXP.MYCONDITIONS_TRG", line 67 ORA-06512: at "SYS.DBMS_SQL", line 1721More Details: https://docs.oracle.com/error-help/db/ora-20000
select * from myconditions
CONDITIONID | MINVALUE | MAXVALUE | RESULT |
---|---|---|---|
1 | 10 | 20 | 1 |
2 | 20 | 30 | 2 |
3 | 0 | 9 | 3 |
4 | 31 | 40 | 3 |
5 | 101 | 120 | 1 |
insert into MyConditions (MinValue, MaxValue, Result)
select 41, 50, 1 from dual union all
select 51, 60, 2 from dual union all
select 71, 80, 3 from dual
3 row(s) inserted.