postgres:分层的一对多jsonb聚合

zengzsys  于 2021-07-26  发布在  Java
关注(0)|答案(1)|浏览(454)

我在父表和子表之间有一对多关系,如下所示:
子表:

  1. +----------+-----------+------------+--------------+
  2. | table_id | parent_id | page_index | other_column |
  3. +----------+-----------+------------+--------------+
  4. | t1 | p1 | 1 | foo |
  5. | t1 | p1 | 2 | bar |
  6. | t2 | p2 | 1 | baz |
  7. +----------+-----------+------------+--------------+

我想得到如下的最终结果,即按父id分组和按页索引分组:

  1. +-----------+--------------------------------------------+
  2. | parent_id | pages |
  3. +-----------+--------------------------------------------+
  4. | p1 | [{other_column: foo}, {other_column: bar}] |
  5. | p2 | [{other_column: baz}] |
  6. +-----------+--------------------------------------------+

我尝试了以下查询:

  1. SELECT parent_table.parent_id, jsonb_agg(child_table.*) as pages
  2. FROM parent_table
  3. JOIN child_table ON child_table.parent_id = parent_table.parent_id
  4. group by parent_table.parent_id, child_table.page_index

但是我得到了包含三行的结果,比如:

  1. +-----------+-----------------------+
  2. | parent_id | pages |
  3. +-----------+-----------------------+
  4. | p1 | [{other_column: foo}] |
  5. | p1 | [{other_column: bar}] |
  6. | p2 | [{other_column: baz}] |
  7. +-----------+-----------------------+

因此,我使用子查询和按父\u id再次分组,在此基础上进行了另一次聚合,如下所示:

  1. select sub_q.parent_id, jsonb_agg(sub_q.pages) as pages
  2. from (
  3. SELECT parent_table.parent_id, jsonb_agg(child_table.*) as pages
  4. FROM parent_table
  5. JOIN child_table ON child_table.parent_id = parent_table.parent_id
  6. group by parent_table.parent_id, child_table.page_index
  7. ) as sub_q

按子\u q.父\u id分组
但我最终还是

  1. +-----------+------------------------------------------------+
  2. | parent_id | pages |
  3. +-----------+------------------------------------------------+
  4. | p1 | [[{other_column: foo}], [{other_column: bar}]] |
  5. | p2 | [{other_column: baz}] |
  6. +-----------+------------------------------------------------+

如何使用最佳查询使每一行都具有一维数组,从而获得上述所需的结果?
如果答案有分贝小提琴就好了!

gkl3eglg

gkl3eglg1#

你好像把事情搞得太复杂了。如示例数据所示,您可以通过简单的聚合直接从子表中获取所需的信息:

  1. select
  2. parent_id
  3. jsonb_agg(jsonb_build_object('other_column', other_column) order by page_index) pages
  4. from child_table
  5. group by parent_id

db小提琴演示:

  1. parent_id | pages
  2. :-------- | :-------------------------------------------------
  3. p1 | [{"other_column": "foo"}, {"other_column": "bar"}]
  4. p2 | [{"other_column": "baz"}]

相关问题