我們大家都知道當unique列在一個UNIQUE鍵上需要插入包含重復值的記錄的時候,其默認insert的時候有時報錯誤,MySQL插入處理重復鍵值的2種不同的處理方法,下面我們對其進行分別介紹。
先建立2個測試表,在id列上創建unique約束。
- MySQL> create table test1(id int,name varchar(5),type int,primary key(id));
- Query OK, 0 rows affected (0.01 sec)
- MySQL> create table test2(id int,name varchar(5),type int,primary key(id));
- Query OK, 0 rows affected (0.01 sec)
- MySQL> select * from test1;
- +-----+------+------+
- | id | name | type |
- +-----+------+------+
- | 101 | aaa | 1 |
- | 102 | bbb | 2 |
- | 103 | ccc | 3 |
- +-----+------+------+
- 3 rows in set (0.00 sec)
- MySQL> select * from test2;
- +-----+------+------+
- | id | name | type |
- +-----+------+------+
- | 201 | aaa | 1 |
- | 202 | bbb | 2 |
- | 203 | ccc | 3 |
- | 101 | xxx | 5 |
- +-----+------+------+
- 4 rows in set (0.00 sec)
MySQL插入處理重復鍵值方法1、REPLACE INTO
發現重復的先刪除再插入,如果記錄有多個字段,在插入的時候如果有的字段沒有賦值,那麼新插入的記錄這些字段為空。
- MySQL> replace into test1(id,name)(select id,name from test2);
- Query OK, 5 rows affected (0.04 sec)
- Records: 4 Duplicates: 1 Warnings: 0
- MySQL> select * from test1;
- +-----+------+------+
- | id | name | type |
- +-----+------+------+
- | 101 | xxx | NULL |
- | 102 | bbb | 2 |
- | 103 | ccc | 3 |
- | 201 | aaa | NULL |
- | 202 | bbb | NULL |
- | 203 | ccc | NULL |
- +-----+------+------+
- 6 rows in set (0.00 sec)
需要注意的是,當你replace的時候,如果被插入的表如果沒有指定列,會用NULL表示,而不是這個表原來的內容。如果插入的內容列和被插入的表列一樣,則不會出現NULL。例如
- MySQL> replace into test1(id,name,type)(select id,name,type from test2);
- Query OK, 8 rows affected (0.04 sec)
- Records: 4 Duplicates: 4 Warnings: 0
- MySQL> select * from test1;
- +-----+------+------+
- | id | name | type |
- +-----+------+------+
- | 101 | xxx | 5 |
- | 102 | bbb | 2 |
- | 103 | ccc | 3 |
- | 201 | aaa | 1 |
- | 202 | bbb | 2 |
- | 203 | ccc | 3 |
- +-----+------+------+
- 6 rows in set (0.00 sec)
如果INSERT的時候,需要保留被插入表的列,只更新指定列,那麼就可以使用第二種方法。
MySQL插入處理重復鍵值方法2、INSERT INTO ON DUPLICATE KEY UPDATE
發現重復的是更新操作。在原有記錄基礎上,更新指定字段內容,其它字段內容保留。例如我只想插入test2表的id,name字段,但是要保留test1表的type字段:
- MySQL> replace into test1(id,name,type)(select id,name,type from test2);
- Query OK, 8 rows affected (0.04 sec)
- Records: 4 Duplicates: 4 Warnings: 0
- MySQL> select * from test1;
- +-----+------+------+
- | id | name | type |
- +-----+------+------+
- | 101 | xxx | 5 |
- | 102 | bbb | 2 |
- | 103 | ccc | 3 |
- | 201 | aaa | 1 |
- | 202 | bbb | 2 |
- | 203 | ccc | 3 |
- +-----+------+------+
- 6 rows in set (0.00 sec)
如果INSERT的時候,只想插入原表沒有的數據,那麼可以使用其他的MySQL插入處理重復鍵值的方法。