注:本文主要介绍使用触发器自动同步增、删、改的简单语句学习。
公司主营业务:成都网站设计、成都做网站、移动网站开发等业务。帮助企业客户真正实现互联网宣传,提高企业的竞争能力。创新互联公司是一支青春激扬、勤奋敬业、活力青春激扬、勤奋敬业、活力澎湃、和谐高效的团队。公司秉承以“开放、自由、严谨、自律”为核心的企业文化,感谢他们对我们的高要求,感谢他们从不同领域给我们带来的挑战,让我们激情的团队有机会用头脑与智慧不断的给客户带来惊喜。创新互联公司推出涪城免费做网站回馈大家。
如果在查阅中发现错误或不当的地方欢迎留言指出,大家相互学习。谢谢!
创建测试需要的表并插入数据,为了方便学习理解,这里列名都用的中文。
create table a(序号 VARCHAR2(10) primary key not null,姓名 VARCHAR2(20),岁数 number(3),地址 VARCHAR2(40)); create table b(序号 VARCHAR2(10) primary key not null,姓名 VARCHAR2(20),岁数 number(3),地址 VARCHAR2(40)); insert into a values (1,'张三',18,'中国'); insert into b values (1,'张三',18,'中国'); commit; |
创建触发器:当A表中插入数据时自动同步插入到B表
create trigger inserts after insert on a--表a中插入数据之后触发 for each row--行级别触发 begin--触发的操作如下 insert into b (序号,姓名,岁数,地址) values(:new.序号,:new.姓名,:new.岁数,:new.地址); end; |
插入测试数据到A表
insert into a (序号,姓名,岁数,地址) values ('2','湛康颖','23','湖北'); commit; |
查询验证可以看到A、B两表中数据已经得到同步。
select * from a; select * from b; |
创建触发器:当A表中删除数据时自动同步删除B表中数据
create trigger deletes after delete on a--表a中删除数据之后触发 for each row--行级别触发 begin--触发的操作如下 delete from b where序号=:old.序号; end; |
删除A表中序号为2的数据
delete a where序号='2'; commit; |
查询验证可以看到A、B两表中数据已经得到同步。
select * from a; select * from b; |
创建触发器:当A表中更新数据时自动同步更新到B表
create or replace trigger updates before update on a --表a中更新数据之后触发 for each row --行级别触发 begin--触发的操作如下 update b set序号=:new.序号,姓名=:new.姓名,岁数=:new.岁数,地址=:new.地址 where序号=:old.序号; end; |
更新A表中序号为1的记录,将张三改为李四
update a set姓名='李四' where 序号='1'; commit; |
查询验证可以看到A、B两表中数据已经得到同步。
select * from a; select * from b; |
测试完成后将触发器drop不然会影响下面操作。
drop trigger inserts; drop trigger deletes; drop trigger updates; |
创建触发器:当A表中有数据增删改时自动将操作同步到B表
create or replace trigger dmls after update or insert or delete on a--表a中增、删、改数据之后触发 for each row --行级别触发 begin--触发的操作如下 if inserting then--如果是插入时运行下列插入语句,否则运行下一个判断 insert into b (序号,姓名,岁数,地址) values(:new.序号,:new.姓名,:new.岁数,:new.地址); elsif deleting then--如果是删除时运行下列删除语句,否则运行下一个判断 delete from b where序号=:old.序号; else--运行下列更新语句 update b set序号=:new.序号,姓名=:new.姓名,岁数=:new.岁数,地址=:new.地址 where序号=:old.序号; end if; end; |
对A表进行增删改操作进行测试
insert into a (序号,姓名,岁数,地址) values ('3','奥巴马','58','美国'); delete a where序号='1'; update a set序号='1' where 序号='3'; commit; |
查询验证可以看到A、B两表中数据已经得到同步。
select * from a; select * from b; |