54

我的数据库正在使用 PostgreSQL。一张表正在使用serial自动增量宏。如果我想在表中插入一条记录,我是否还需要指定该值,或者它会自动为我分配?

CREATE TABLE dataset
(
    id serial NOT NULL,
    age integer NOT NULL,
    name character varying(32) NOT NULL,
    description text NOT NULL DEFAULT ''::text
    CONSTRAINT dataset_pkey PRIMARY KEY (id)
);
4

4 回答 4

94

使用DEFAULT关键字或从INSERT列表中省略列:

INSERT INTO dataset (id, age, name, description)
VALUES (DEFAULT, 42, 'fred', 'desc');

INSERT INTO dataset (age, name, description)
VALUES (42, 'fred', 'desc');
于 2012-10-11T09:30:45.353 回答
6

如果您创建一个带有序列列的表,那么如果您在向表中插入数据时省略序列列,PostgreSQL 将自动使用序列并保持顺序。

例子:

skytf=> create table test_2 (id serial,name varchar(32));
NOTICE:  CREATE TABLE will create implicit sequence "test_2_id_seq" for serial column "test_2.id"
CREATE TABLE

skytf=> insert into test_2 (name) values ('a');
INSERT 0 1
skytf=> insert into test_2 (name) values ('b');
INSERT 0 1
skytf=> insert into test_2 (name) values ('c');
INSERT 0 1

skytf=> select * From test_2;
 id | name 
----+------
  1 | a
  2 | b
  3 | c
(3 rows)
于 2012-10-11T09:34:50.423 回答
5

这些查询对我有用:

insert into <table_name> (all columns without id serial)
select (all columns without id serial)
 FROM <source> Where <anything>;
于 2018-09-26T13:34:56.303 回答
1

在这种情况下,插入多行对我不起作用:

create table test (
  id bigint primary key default gen_id(),
  msg text not null
)

insert into test (msg)
select gs
from generate_series(1,10) gs;

因为我错误地将我的 gen_id 函数标记为 IMMUTABLE。

插入查询被优化为只调用该函数一次而不是 10 次。哎呀...

于 2020-05-13T16:51:36.170 回答