SELECT * FROM NEW TABLE equivalent in Postgres

北城以北 提交于 2019-12-24 02:35:12

问题


In DB2 I can do a command that looks like this to retrieve information from the inserted row:

SELECT *
FROM NEW TABLE (
    INSERT INTO phone_book
    VALUES ( 'Peter Doe','555-2323' )
) AS t

How do I do that in Postgres?

There are way to retrieve a sequence, but I need to retrieve arbitrary columns.

My desire to merge a select with the insert is for performance reasons. This way I only need to execute one statement to insert values and select values from the insert. The values that are inserted come from a subselect rather than a values clause. I only need to insert 1 row.

That sample code was lifted from Wikipedia Insert Article


回答1:


A plain INSERT ... RETURNING ... does the job and delivers best performance.
A CTE is not necessary.

INSERT INTO phone_book (name, number)
VALUES ( 'Peter Doe','555-2323' )
RETURNING *  -- or just phonebook_id, if that's all you need

Aside: In most cases it's advisable to add a target list.

The Wikipedia page you quoted already has the same advice:

Using an INSERT statement with RETURNING clause for PostgreSQL (since 8.2). The returned list is identical to the result of a SELECT.




回答2:


PostgreSQL supports this kind of behavior through a returning clause in a common table expression. You generally shouldn't assume that something like this will improve performance simply because you're executing one statement instead of two. Use EXPLAIN to measure performance.

create table test (
  test_id serial primary key,
  col1 integer
);

with inserted_rows as (
  insert into test (c1) values (3)
  returning *
)
select * from inserted_rows;
test_id  col1
--
1        3

Docs



来源:https://stackoverflow.com/questions/26580491/select-from-new-table-equivalent-in-postgres

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!