MySQL避免插入重复记录的方法

mac2024-11-11  7

文章目录

insert ignorereplace intoinsert on duplicate key update mysql在存在主键冲突或者唯一键冲突的情况下,根据插入策略不同,一般有以下三种避免方法。

insert ignorereplace intoinsert on duplicate key update CREATE TABLE `t3` ( `id` int(11) NOT NULL AUTO_INCREMENT, `c1` int(11) DEFAULT NULL, `c2` varchar(20) DEFAULT NULL, `c3` int(11) DEFAULT NULL, PRIMARY KEY (`id`), UNIQUE KEY `uidx_c1` (`c1`) ) ENGINE=InnoDB AUTO_INCREMENT=4 DEFAULT CHARSET=utf8 select * from t3; idc1c2c311a122a18NULLNULL1144bbNULL175cc4

insert ignore

insert ignore会忽略数据库中已经存在的数据(根据主键或者唯一索引判断),如果数据库没有数据,就插入新的数据,如果有数据的话就跳过这条数据.

insert ignore into t3 (c1,c2,c3) values(5,'cc',4),(6,'dd',5);

虽然只增加了一条记录,但是AUTO_INCREMENT还是增加了2个

replace into

replace into 首先尝试插入数据到表中。 如果发现表中已经有此行数据(根据主键或者唯一索引判断)则先删除此行数据,然后插入新的数据,否则,直接插入新数据。使用replace into,你必须具有delete和insert权限 replace into t3 (c1,c2,c3) values(3,'new',8);

insert on duplicate key update

如果在insert into 语句末尾指定了on duplicate key update,并且插入行后会导致在一个UNIQUE索引或PRIMARY KEY中出现重复值,则在出现重复值的行执行UPDATE;如果不会导致重复的问题,则插入新行,跟普通的insert into一样。使用insert into,你必须具有insert和update权限如果有新记录被插入,则受影响行的值显示1;如果原有的记录被更新,则受影响行的值显示2;如果记录被更新前后值是一样的,则受影响行数的值显示0 insert into t3(c1,c2,c3) values (3,'new',5) on duplicate key update c1=c1+3;

注意: 如果要获取自增的id值,sql语句应该为: ibatis:

<insert id="insert"> <selectKey resultClass="long" type="post" keyProperty="id" > SELECT LAST_INSERT_ID() </selectKey> INSERT INTO table (`c1`, `c2`) VALUES (#c1#, #c2#, ) ON DUPLICATE KEY UPDATE id=last_insert_id(id), </insert>

mybatis:

<insert id="insert"> <selectKey keyProperty="id" order="AFTER" resultType="java.lang.Long"> SELECT LAST_INSERT_ID() </selectKey> INSERT INTO table (`c1`, `c2`) VALUES (#c1#, #c2#, ) ON DUPLICATE KEY UPDATE id=last_insert_id(id), </insert> 这三种方法都能避免主键或者唯一索引重复导致的插入失败问题。insert ignore能忽略重复数据,只插入不重复的数据。replace into和insert … on duplicate key update,都是替换原有的重复数据,区别在于replace into是删除原有的行后,在插入新行,如有自增id,这个会造成自增id的改变;insert … on duplicate key update在遇到重复行时,会直接更新原有的行,具体更新哪些字段怎么更新,取决于update后的语句。
最新回复(0)