小编典典

Oracle:排除触发触发器的一列更新

sql

在oracle中,我可以指定列,这将引发触发器的触发:

create or replace trigger my_trigger
before update of col1, col2, col3 on my_table for each row
begin
  // the trigger code will be executed only if col1 or col2 or col3 was updated
end;

现在,我想执行以下操作:当 更新 列时,我不希望触发触发器。这怎么可能?

我可以列出除那一列之外的所有列,该列不应引起触发器的触发。对于具有许多列的表而言,这非常麻烦。

另一种方法是使用像这样的UPDATING函数:

if not updating('COL3') then ...

但是,如果我立即更改了COL1 COL3,则该语句的计算结果为false。那不是我想要的,因为我只想更新 列(COL3)时限制执行。


阅读 249

收藏
2021-03-23

共1个答案

小编典典

您可以执行以下操作:

create or replace trigger my_trigger
before update on my_table
for each row
declare
   n_cols integer := 0;
begin
   for r in (select column_name from all_tab_columns
             where table_name = 'MY_TABLE'
             and owner = 'MY_SCHEMA')
   loop
      if updating(r.column_name) then
         n_cols := n_cols + 1;
         exit when n_cols > 1;
      end if;
   end loop;
   if n_cols > 1 then
      do_something;
   end if;
end;

可能不是很有效!

2021-03-23