0

我想通过 Postgres 中的继承来实现分区。我通过参考 Postgres文章实现了以下步骤:-

  1. 创建了一个名为“test_table”的主表
CREATE TABLE kirana_customer.test_table
(
    col1 bigint NOT NULL DEFAULT nextval('kirana_customer."testTable_col1_seq"'::regclass),
    col2 bigint NOT NULL,
    col3 integer,
    CONSTRAINT "testTable_pkey" PRIMARY KEY (col1)
)
  1. 创建了子/继承表
CREATE TABLE kirana_customer.test_table_1
(
    -- Inherited from table kirana_customer.test_table: col1 bigint NOT NULL DEFAULT nextval('kirana_customer."testTable_col1_seq"'::regclass),
    -- Inherited from table kirana_customer.test_table: col2 bigint NOT NULL,
    -- Inherited from table kirana_customer.test_table: col3 integer,
    CONSTRAINT check_col3 CHECK (col3 = 1)
)
    INHERITS (kirana_customer.test_table)
  1. 将“BEFORE INSERT”触发器附加到主表,用于将基于列“col3”的数据插入正确的分区表
DECLARE

    v_col3 bigint;
BEGIN
    v_col3 := NEW.col3;
    
    
    EXECUTE 'INSERT INTO kirana_customer.test_table_'||v_col3||' VALUES ($1.*)' USING NEW;

RETURN NULL;
END;

完成所有这些步骤后,我可以将我的条目插入到正确的分区中,但是在分析 select 语句时,我发现 Postgres 正在扫描所有分区

explain select * from  kirana_customer.test_table where col3 = 1 

这给出了以下输出

"Append  (cost=0.00..34.42 rows=9 width=20)"
"  ->  Seq Scan on test_table  (cost=0.00..3.12 rows=1 width=20)"
"        Filter: (col3 = 1)"
"  ->  Seq Scan on test_table_1  (cost=0.00..31.25 rows=8 width=20)"
"        Filter: (col3 = 1)"

那么,我错过了什么吗?或者这是 Postgres 分区的工作方式?

4

2 回答 2

2

样本大小为 1 无法真正得出结论。而且您只有一个子表。

没有根表不能包含行的约束where col3=1,因此需要对其进行扫描。扫描一个空的able并不是什么大问题,但如果你确实想避免它,你可以添加一个约束:

alter table kirana_customer.test_table add constraint whatever
   check (col3 is null) no inherit; 

此外,您不想使用声明性分区的原因没有任何意义。也许你应该用一个例子来问一个关于你对此有什么误解的问题。

于 2021-08-26T15:46:27.040 回答
1

您必须设置constraint_exclusiononpartition使其工作。

于 2021-08-26T15:42:40.550 回答