将flat jsonb迁移到hstore

时间:2015-10-07 08:54:01

标签: postgresql hstore jsonb

我运行postgres 9.4,并希望将我的数据库表中的列迁移到hstore,以便能够进行性能比较。

我当前的列是jsonb中的键值对,没有嵌套结构。

有关如何解决此问题的任何提示?

1 个答案:

答案 0 :(得分:2)

示例数据:

create table jsons (id int, val jsonb);
insert into jsons values
(1, '{"age":22}'), 
(2, '{"height":182}'),
(3, '{"age":30, "height":177}');

将json对象拆分为keyvalue对:

    select id, (jsonb_each_text(val)).key, (jsonb_each_text(val)).value
    from jsons

 id |  key   | value 
----+--------+-------
  1 | age    | 22
  2 | height | 182
  3 | age    | 30
  3 | height | 177
(4 rows)        

聚合对并将它们转换为hstore:

select id, hstore(array_agg(key), array_agg(value))
from (
    select id, (jsonb_each_text(val)).key, (jsonb_each_text(val)).value
    from jsons
    ) sub
group by 1
order by 1

 id |            hstore            
----+------------------------------
  1 | "age"=>"22"
  2 | "height"=>"182"
  3 | "age"=>"30", "height"=>"177"
(3 rows)    

使用横向连接可以以更优雅的方式实现同​​样的目的:

select id, hstore(array_agg(key), array_agg(value))
from jsons
cross join jsonb_each_text(val)
group by 1
order by 1;