使用实体框架 (C#) 重写 PostgreSql 中的串行序列

本文关键字:PostgreSql 重写 实体 框架 | 更新日期: 2023-09-27 18:32:36

在 PostgreSQL 数据库上使用实体框架添加记录时,如何覆盖 ID 字段中的序列/序列?

添加记录时,串行/序列自动递增 ID 工作正常,但我需要编写一个迁移脚本,其中我迁移的旧记录必须保持其旧 ID。

如果我只是将 INSERT 查询直接发送到服务器,它工作正常,但是在使用实体框架时,它们只是从 1、2、3 等开始。

使用实体框架 (C#) 重写 PostgreSql 中的串行序列

您应该在使用自动生成的值进行任何插入之前重置数据库中的序列。它高度依赖于表 DDL。对于最常用的 ID 的自动生成,有两个示例:

/*
-- Be careful with these 3 lines if you already have such objects in the your DB 
drop table if exists t1;
drop table if exists t2;
drop sequence if exists seq_t2_id;
*/
-- Using serial type for ID
create table t1 (t1_id serial, t1_name char varying);
insert into t1 (t1_id, t1_name) values (22, 'aaa');
select setval(pg_get_serial_sequence('t1', 't1_id'), (select max(t1_id) from t1)); -- Reset serial value
insert into t1 (t1_name) values ('bbb');
select * from t1;
-- Using sequence to generate IDs
create sequence seq_t2_id;
create table t2(t2_id bigint default nextval('seq_t2_id'), t2_name char varying);
insert into t2(t2_id, t2_name) values (22, 'aaa');
select setval('seq_t2_id', (select max(t2_id) from t2)); -- Update sequence
insert into t2 (t2_name) values ('bbb');
select * from t2;