How to copy structure and contents of a table, but with separate sequence?

后端 未结 2 1718
天涯浪人
天涯浪人 2020-12-19 02:16

I\'m trying to setup temporary tables for unit-testing purposes. So far I managed to create a temporary table which copies the structure of an existing table:



        
2条回答
  •  野趣味
    野趣味 (楼主)
    2020-12-19 02:47

    Postgres 10 or later

    Postgres 10 introduced IDENTITY columns conforming to the SQL standard (with minor extensions). The ID column of your table would look something like:

    id    integer PRIMARY KEY GENERATED BY DEFAULT AS IDENTITY
    

    Syntax in the manual.
    Using this instead of a traditional serial column avoids your problem with sequences. IDENTITY columns use exclusive, dedicated sequences automatically, even when the specification is copied with LIKE. The manual:

    Any identity specifications of copied column definitions will only be copied if INCLUDING IDENTITY is specified. A new sequence is created for each identity column of the new table, separate from the sequences associated with the old table.

    And:

    INCLUDING ALL is an abbreviated form of INCLUDING DEFAULTS INCLUDING IDENTITY INCLUDING CONSTRAINTS INCLUDING INDEXES INCLUDING STORAGE INCLUDING COMMENTS.

    The solution is simpler now:

    CREATE TEMP TABLE t_mytable (LIKE mytable INCLUDING ALL);
    INSERT INTO t_mytable TABLE mytable;
    SELECT setval(pg_get_serial_sequence('t_mytable', 'id'), max(id)) FROM tbl;
    

    As demonstrated, you can still use setval() to set the sequences current value. A single SELECT does the trick. Use pg_get_serial_sequence() to get the name of the sequence.

    db<>fiddle here

    Related:

    • How to reset postgres' primary key sequence when it falls out of sync?
    • Is there a shortcut for SELECT * FROM?
    • Creating a PostgreSQL sequence to a field (which is not the ID of the record)

    Original (old) answer

    You can take the create script from a database dump or a GUI like pgAdmin (which reverse-engineers database object creation scripts), create an identical copy (with separate sequence for the serial column), and then run:

    INSERT INTO new_tbl
    SELECT * FROM old_tbl;
    

    The copy cannot be 100% identical if both tables reside in the same schema. Obviously, the table name has to be different. Index names would conflict, too. Retrieving serial numbers from the same sequence would probably not be in your best interest, either. So you have to (at least) adjust the names.

    Placing the copy in a different schema avoids all of these conflicts. While you create a temporary table from a regular table like you demonstrated, that's automatically the case since temp tables reside in their own temporary schema.

    Or look at Francisco's answer for DDL code to copy directly.

提交回复
热议问题