之前学习Oracle的时候也听说过触发器,但是工作中一直没有使用过,觉得触发器是一个神秘的东西并且很难,所以就一直没有认真学习它。今天晚上学了赵老师讲的触发器发现触发器也没有我想象中的那么神秘,学习完这门课程记录下来自己以后查阅。
一、触发器的定义
数据库触发器是一个与表相关联的,存储的PL/SQL程序,它的作用
是每当一个特定的数据操作语句(insert,update,delete)在指定的表上发出时,Oracle自动的执行触发器中定义的语句序列。
二 、触发器的应用场景
- 复杂的安全性的检查
- 数据的确认
- 数据库的审计
- 数据的备份和同步
三、触发器的语法
create [or replace] trigger triggerName
{before | after}
{delete|insert|update [ of列名(更新某个具体列的时候触发)]}
on 表名
[for each row [when(条件)]
PLSQL语句块
//创建一个Hello World触发器:往emp表新增一条记录时,打印'成功插入一条新的数据!'
create or replace trigger HelloTrigger
after insert
on EMP
declare
begin
dbms_output.put_line('成功插入一条新的数据!');
end;
三、触发器类型
- 语句级触发器:在指定的操作语句操作之前或者之后执行一次,不管这条语句影响了多少行。
- 触发语句作用的每一条记录都被触发。在行级触发器中使用:old和:new 伪记录变量和识别值的状态。
四、触发器的应用案例
- 实施复杂的安全性检查:禁止非工作时间插入新员工。
create or replace trigger security_check
before insert
on emp
begin
//判断当前时间是否是双休或者是上午九点到下午6点
if to_char(sysdate,'day') in ('星期六','星期天') or
to_number(to_char(sysdate,'hh24')) not between 9 and 18 then
//如果是在以上时间段内插入emp表,则抛出错误信息。
raise_application_error(-20001,'禁止在非工作时间插入新员工!');
end if;
end;
/
2 数据的确认:涨后的薪水不能低于涨前的薪水
create or replace trigger salary_check
before update
on emp
for each row
begin
//:new 表示更新后的列 :old 表示更前的列
if :new.sal<:old.sal then
raise_application_error(-20001,'涨后的薪水不能低于涨前的薪水!涨前的薪水为'||:old.sal||'涨后的薪水为'||:new.sal);
end if;
end;
/
- 数据库的审计:给员工涨工资,当涨后的薪水超过6000块钱时
审计该员工的信息
第一步:创建审计表信息
create table audit_info(infomation varchar(200));
第二步创建审计信息触发器
create or replace trigger audit_trigger
after update
on emp
for each row
begin
if :new.sal > 6000 then
insert into audit_info(infomation) values('员工号为:'||:new.empno||'工资加到了'||:new.sal);
end if;
end;
/
- 使用触发器实现对emp的备份(给员工涨完工资后自动,自动更新到新的数据到备份表中)
第一步 创建emp的备份表
create table emp_bak as select * from emp;
第二步 创建备份使用到触发器
create or replace trigger sync_emp_salary
after update
on emp
for each row
begin
update emp_bak set sal=:new.sal where empno=:new.empno;
end;
/
**关于触发器就介绍到这里!感谢小伙伴们的阅读。课程链接