这是我的表web_book的方案:
Column | Type | Modifiers
----------------+------------------------+-------------------------------------------------------
id | integer | not null default nextval('web_book_id_seq'::regclass)
page_count | integer | not null
year_published | integer | not null
file | character varying(100) | not null
image | character varying(100) | not null
display_on_hp | boolean | not null
name | character varying(128) | not null
description | text | not null
name_cs | character varying(128) |
name_en | character varying(128) |
description_cs | text |
description_en | text |
该表包含一行id=3
。我想复制该行,但如果我试试这个:
INSERT INTO web_book SELECT * FROM web_book WHERE id=3;
我明白了:
ERROR: duplicate key value violates unique constraint "web_book_pkey"
DETAIL: Key (id)=(3) already exists
答案 0 :(得分:51)
您需要为新插入的行创建新ID:
INSERT INTO web_book(
id, page_count, year_published, file, image,
display_on_hp, name, description, name_cs,
name_en, description_cs, description_en
)
SELECT nextval('web_book_id_seq'),
page_count,
year_published,
file,
image,
display_on_hp,
name,
description,
name_cs,
name_en,
description_cs,
description_en
FROM web_book WHERE id=3;
正如ClodoaldoNeto所提到的那样,只需省略ID列并让默认定义完成它就可以使事情变得更容易:
INSERT INTO web_book(
page_count, year_published, file, image,
display_on_hp, name, description, name_cs,
name_en, description_cs, description_en
)
SELECT page_count,
year_published,
file,
image,
display_on_hp,
name,
description,
name_cs,
name_en,
description_cs,
description_en
FROM web_book WHERE id=3;
在这种情况下,您不需要知道序列名称(但是不太明显发生了什么)。
答案 1 :(得分:6)
仅在指定其值时指定id
列(并非您的情况)。您希望使用下一个序列web_book_id_seq
值,因此请勿在INSERT查询中指定它。
您的INSERT应如下所示:
INSERT INTO web_book (page_count, year_published, file, image, display_on_hp, name, description, name_cs, name_en, description_cs, description_en)
SELECT page_count, year_published, file, image, display_on_hp, name, description, name_cs, name_en, description_cs, description_en
FROM web_book
WHERE id = 3;