我们日常在使用 insert into 语句向表中插入数据时,一定遇到过主键或唯一索引冲突的情况,当遇到这种情况时,MySQL默认的反应是报错并停止执行后续的语句,为了避免这种情况,你有3种选择:
- 使用insert ignore into语句忽略冲突语句并继续执行。
- 使用replace into语句对冲突记录进行替换,用法见链接:MySQL 插入替换语句(replace into statement)
- 使用insert...on duplicate key update语句对冲突记录进行更新。
文章目录
- [一、insert ... on duplicate key update语句简介](#一、insert … on duplicate key update语句简介)
-
- [1.1 基本用法](#1.1 基本用法)
- [1.2 同时引用新旧值](#1.2 同时引用新旧值)
一、insert ... on duplicate key update语句简介
1.1 基本用法
创建一张测试表test,其中id为主键,并插入2条数据:
sql
create table test(
id int not null auto_increment primary key,
source varchar(16),
val int,
conflict int);
truncate table test;
insert into test values(1,'insert',100,0),(2,'insert',200,0);
table test;
data:image/s3,"s3://crabby-images/1e64e/1e64ef2bc3b35d9754931ff279f2c2668a846217" alt=""
下面使用insert...on duplicate key update语句插入2条记录,其中id=1的记录将与原表中的记录产生主键冲突:
sql
insert into test values(3,'insert_update',300,0),(1,'insert_update',400,1)
on duplicate key update conflict=conflict+1;
table test;
data:image/s3,"s3://crabby-images/ef7b9/ef7b947771a6081ae00be60f494e66e99ca0cbdc" alt=""
根据执行结果,可以看到on dupldate update语句存在下面特点:
-
当不存在主键或唯一键冲突时,它就是普通的insert语句(id=3)。
-
当存在主键或唯一键冲突时,它会插入失败,同时执行on duplicate update后的语句。
-
成功插入时影响1行,出现冲突时影响2行,因此这里影响的数据行是3。
1.2 同时引用新旧值
insert...on update 语句最大的用处还是在出现冲突时,可以同时对新旧值进行引用,这意味着它非常适合需要累加的场景。
现在要求当出现ID冲突时将新旧的val值累加保存到表中,通过列名可以直接引用表中的旧值,而通过values(列名)可以引用即将插入的新值:
sql
insert into test values(1,'insert_update',300,0)
on duplicate key update conflict=conflict+1, val=val+values(val);
data:image/s3,"s3://crabby-images/50019/500194ee86319b311ed38602642901cf7fd1abfa" alt=""
除了使用values函数,还可以通过给新增的列取别名,并通过别名引用,例如将新插入的列取名为new,上面的语句可以改写为:
sql
insert into test values(1,'insert_update',300,0) as new
on duplicate key update test.conflict=test.conflict+1, test.val=test.val+new.val;
data:image/s3,"s3://crabby-images/1c247/1c247577f9ed77068b3f43eb009d35dd414c4f3a" alt=""
上面的语句中由于记录new默认和原表字段名相同,所以要通过前缀来区分新旧记录,你也直接给new的字段取不同的别名:
sql
insert into test values(1,'insert_update',300,0) as new(a,b,c,d)
on duplicate key update conflict=conflict+1, val=val+c;
data:image/s3,"s3://crabby-images/131cd/131cde019cf21ff954fdf30b97a59039432a472e" alt=""
以上即是insert...on update 语句的基本用法,结合insert ignore和replace into语句,你即可以在出现insert主键或唯一键冲突时根据需要选择合适的处理方案。