在 postgresql 9.1 中,我的tableB继承自tableA。
tableB中有一些列,而tableA中没有列。
我想将列从 tableB 移动到tableA而不从TableB转储和重新导入行……有可能吗?(我准确地说我在tableA中根本没有任何行)。
在 postgresql 9.1 中,我的tableB继承自tableA。
tableB中有一些列,而tableA中没有列。
我想将列从 tableB 移动到tableA而不从TableB转储和重新导入行……有可能吗?(我准确地说我在tableA中根本没有任何行)。
您可以更改父表并添加与子表中存在的相同的列。任何已存在于具有相同数据类型的子表中的列都不会传播给子表,但您在父表中创建的任何在子表中不存在的列都将在子表中创建。
-- Create parent table "p"
create table p();
-- Create child table "c"
create table c (id int, val text, val2 text) inherits (p);
-- Add the columns to the parent
-- which already exist in the child table "c".
alter table p add val text;
alter table p add val2 text;
-- Add a column that does not exist in table "c"
alter table p add val_xxx bigint;
\d p
Table "public.p"
Column | Type | Modifiers
---------+--------+-----------
val | text |
val2 | text |
val_xxx | bigint |
Number of child tables: 1 (Use \d+ to list them.)
已编辑以显示后续问题的结果,即如果从父表和子表中删除其中一列,继承表中的行会发生什么情况。
begin;
-- Drop the "val" column from the parent table
alter table p drop column val;
-- The "val" colum no longer exists in the parent table.
select * from only p;
val2 | val_xxx
------+---------
(0 rows)
-- The "val" column still exists in the inherited (child) table
select * from c;
id | val | val2 | val_xxx
----+-----+------+---------
1 | aaa | bbb | 999
-- Drop the column from the inherited (child) table
alter table c drop column val;
-- The "val" column no longer exists in the child table
select * from c;
id | val2 | val_xxx
----+------+---------
1 | bbb | 999
rollback;