mysql记录存在就更新不存在就插入

判断记录是否存在,不存在就执行插入语句,存在就执行更新语句

如下例子

$result = mysql_query('select * from xxx where id = 1');
$row = mysql_fetch_assoc($result);
if($row){
mysql_query('update ...');
}else{
mysql_query('insert ...');
}

这样的写法有两个缺点
1、效率太差,每次执行都要执行2个sql
2、高并发的情况下数据会出问题
怎么解决这个问题呢?
mysql提供了insert … on duplicate key update的语法,如果insert的数据会引起唯一索引(包括主键索引)的冲突,即这个唯一值重复了,则不会执行insert操作,而执行后面的update操作
测试一下

create table test(
id int not null primary key,
num int not null UNIQUE key,
tid int not null
)

为了测试两个唯一索引都冲突的情况,然后插入下面的数据

insert into test values(1,1,1), (2,2,2);

然后执行:

insert into test values(1,2,3) on duplicate key update tid = tid + 1;

因为a和b都是唯一索引,插入的数据在两条记录上产生了冲突,然而执行后只有第一条记录被修改

你可能感兴趣的:(mysql)