PostgreSQL upsert(插入更新)数据的操作详解
本文介绍如何使用postgresql upsert特性插入或当被插入数据已存在则更新数据。
1. 介绍postgresql upsert
在关系型数据库中,upsert是一个组合词,即当往表中插入记录,如果该记录已存在则更新,否则插入新记录。为了使用该特性需要使用insert on conflict
语句:
insert into table_name(column_list) values(value_list) on conflict target action;
该语法中target
可以是下面列举内容之一:
- (column_name) – 列名
- on constraint constraint_name – 唯一约束的名称
- where predicate – 带谓词的where子句.
action
可能为下面两者之一:
do nothing – 如果行已存在表中,不执行任何动作.
do update set column_1 = value_1, … where condition – 更新表中一些字段.
注意:
on conflict
子句仅从postgresql 9.5版本才有效。如果需用在之前版本,需要使用其他方法实现。
2. postgresql upsert示例
下面语句创建customers表,演示postgresql upsert特性:
drop table if exists customers; create table customers ( customer_id serial primary key, name varchar unique, email varchar not null, active bool not null default true );
customers 表包括四个字段customer_id, name, email, active,name字段有唯一约束确保名称唯一。
下面插入语句新增几条记录:
insert into customers (name, email) values ('ibm', 'contact@ibm.com'), ('microsoft', 'contact@microsoft.com'), ('intel', 'contact@intel.com');
假设现在microsoft 修改email字段,从 contact@microsoft.com 到 hotline@microft.com。我们可以使用update更新语句,因为需要演示upsert特性,这里使用insert on conflict
语句:
insert into customers (name, email) values('microsoft','hotline@microsoft.com') on conflict on constraint customers_name_key do nothing;
上面语句表示如果名称表中存在,则什么都不做。下面语句与上面等价,但使用name列代替唯一约束名称:
insert into customers (name, email) values('microsoft','hotline@microsoft.com') on conflict (name) do nothing;
假设当记录已存在时你需要连接新的邮箱至原邮箱,这时update动作:
insert into customers (name, email) values('microsoft','hotline@microsoft.com') on conflict (name) do update set email = excluded.email || ';' || customers.email;
这里使用excluded虚拟表,其包含我们要更新的记录,也就是新记录(相对于原记录customers)。等式右边字段需要表名进行区分,才不会报字段不明确错误。
读者可以自行验证结果是否如你所愿。
3. 总结
本文介绍通过insert on conflict
实现postgresql插入更新特性。
到此这篇关于postgresql upsert(插入更新)教程详解的文章就介绍到这了,更多相关postgresql upsert内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!