postgres create table as select & create table like

@H_502_0@1. 准备

@H_502_0@ 先建立一个基础表:

create table mytb1(id serial,name character varying,age integer);
在name字段上创建索引:
create index mytb1_name_index on mytb1(name);
@H_502_0@ 查看mytb1的表结构:

postgres=# \d mytb1;
                              Table "public.mytb1"
 Column |       Type        |                     Modifiers                     
 
--------+-------------------+---------------------------------------------------
 id     | integer           | not null default nextval('mytb1_id_seq'::regclass)
 name   | character varying | 
 age    | integer           | 
Indexes:
    "mytb1_name_index" btree (name)
@H_502_0@ 插入两条记录:

postgres=# insert into mytb1(name,age) values('zhangsan',12),('lisi',23);
@H_502_0@2. 使用created table as select

postgres=# create table mytb2 as select * from mytb1;
SELECT 2
查看mytb2的表结构及表中的数据:
postgres=# \d mytb2
          Table "public.mytb2"
 Column |       Type        | Modifiers 
--------+-------------------+-----------
 id     | integer           | 
 name   | character varying | 
 age    | integer           | 
postgres=# select * from mytb2;
 id |   name   | age 
----+----------+-----
  1 | zhangsan |  12
  2 | lisi     |  23
(2 rows)
可以看到,使用create table as select,表中的数据会全部复制过去,表结构中的主键,索引,约束等都没有移过去,仅仅是字段复制过去。 @H_502_0@3. 使用create table like

postgres=# create table mytb3 (like mytb1);
CREATE TABLE
查看mytb3的表结构及表中的数据:
postgres=# \d mytb3
          Table "public.mytb3"
 Column |       Type        | Modifiers 
--------+-------------------+-----------
 id     | integer           | not null
 name   | character varying | 
 age    | integer           | 
postgres=# select * from mytb3;
 id | name | age 
----+------+-----
(0 rows)
表结构中的索引主键也没有一起过来。 @H_502_0@create table like的时候通过including来包含索引,约束等。

postgres=# create table mytb5 (like mytb1 including defaults including constraints including indexes);
CREATE TABLE
看看表结构
postgres=# \d mytb5
                              Table "public.mytb5"
 Column |       Type        |                     Modifiers                     
 
--------+-------------------+---------------------------------------------------
 id     | integer           | not null default nextval('mytb1_id_seq'::regclass)
 name   | character varying | 
 age    | integer           | 
Indexes:
    "mytb5_name_idx" btree (name)
现在索引,约束等都全部复制过来。 @H_502_0@

@H_502_0@结论:

@H_502_0@create table as select : 只会复制表中的数据,表结构中的索引,约束等不会复制过来。

@H_502_0@create table like: 不复制数据,需要复制索引,约束等还要自己including进去。

相关文章

来源:http://www.postgres.cn/docs/11/ 4.1.1. 标识符和关键词 SQL标识符和关键词必须以一个...
来源:http://www.postgres.cn/docs/11/ 8.1. 数字类型 数字类型由2、4或8字节的整数以及4或8...
来源:http://www.postgres.cn/docs/11/ 5.1. 表基础 SQL并不保证表中行的顺序。当一个表被读...
来源:http://www.postgres.cn/docs/11/ 6.4. 从修改的行中返回数据 有时在修改行的操作过程中...
来源:http://www.postgres.cn/docs/11/ 13.2.1. 读已提交隔离级别 读已提交是PostgreSQL中的...
来源:http://www.postgres.cn/docs/11/ 9.7. 模式匹配 PostgreSQL提供了三种独立的实现模式匹...