介绍
触发器是与表有关的数据库对象,指在insert/update/delete之前或折后,出发并执行触发器中定义的SQL语句集合。触发器的这种特性可以协助应用在数据库端确保数据的完整性,日志记录,数据校验等操作。
使用别名OLD和NEW来引用触发器中发生变化的记录内容,这与其他的数据库是相似的。现在触发器还只支持行级触发,不支持语句级触发。
语法
实例
我们来演示一下触发器的创建、使用。
我的my_databases数据库中有个表为stu,用来记录我的一些好厚米的数据(假)。
现在我们想用触发器,记录一下这个表的日志,每次增删改(三种操作要创建三个触发器)的数据都记录到一个新表stu_logs里面去。
首先创建一个新表stu_logs,里面可以记录各种数据。
create table stu_logs
(
id int primary key auto_increment,
operation varchar(20) not null comment '操作类型,insert/update/delete',
operate_time datetime not null comment '操作时间',
operate_ip int not null comment '操作的ID',
operate_params varchar(500) not null comment '操作参数'
) engine = innodb
default charset = utf8 comment '学生表操作日志';
再创建记录插入数据的触发器(每次执行nisert语句之后,将对应数据插入到stu_logs表中)
create trigger stu_insert_trigger
after insert
on stu
for each row
begin
insert into stu_logs(id, operation, operate_time, operate_ip, operate_params)
values (null, 'insert', now(), new.id,
concat('插入的数据内容为:id=', id = new.id, ',name=', new.name, ',score=', new.score));
end;
查看一下当前的触发器,看看是否创建成功
显然是创建成功了。
我们插入一个数据来看看是否记录
insert into stu(id, name, score) values(null,'Ayang',99);
select * form stu_logs;
那必然是记录成功了。
再创建更新和删除的触发器
create trigger stu_update_trigger
after update
on stu
for each row
begin
insert into stu_logs(id, operation, operate_time, operate_ip, operate_params)
values (null, 'update', now(), old.id,
concat('更新前的数据内容为:id=', old.id, ',name=', old.name, ',score=', old.score, '。更新后的数据:id=',
new.id, ',name=', new.name, ',score=', new.score));
end;
create trigger stu_delete_trigger
before delete
on stu
for each row
begin
insert into stu_logs(id, operation, operate_time, operate_ip, operate_params)
VALUES (null, 'delete', now(), old.id,
concat('删除的数据内容为:id=', old.id, ',name=', old.name, ',score=', old.score));
end;
我们来更新一下数据
update stu set score=101 where name ='Ayang';
再删除一下
delete from stu where id =6;
查看一下stu_logs表中的数据
那必然是记录成功了(先前删去了一个测试数据,不用在意主键)
查看下当前数据库的触发器
show triggers;
那必然是三个。
以上内容均学自b站黑马MySQL视频