我正在尝试将复杂的JSON转换为复合类型。这是一个例子
CREATE TYPE ty as(a int, b int[]);
CREATE TABLE ta(ab ty[]);
INSERT INTO ta(ab) values(ARRAY[ROW(1, ARRAY[1, 1])::ty, ROW(2, ARRAY[2, 2])::ty]);
select * from ta;
ab
-----------------------------------
{"(1,\"{1,1}\")","(2,\"{2,2}\")"}
(1 row)
这很好用。
现在我尝试将JSON数组插入到表中,首先将其填充到复合类型中然后插入它。 PostgreSQL函数引发了一个奇怪的错误。
INSERT INTO ta(ab) values (json_populate_recordset(null::ty[], '[{"a":3,"b":[3,33]},{"a":4,"b":[4,44]}]'));
ERROR: first argument of json_populate_recordset must be a row type
INSERT INTO ta(ab) values (json_populate_recordset(null::ty, '[{"a":3,"b":[3,33]},{"a":4,"b":[4,44]}]'));
ERROR: column "ab" is of type ty[] but expression is of type ty
LINE 1: INSERT INTO ta(ab) values (json_populate_recordset(null::ty,...
^
HINT: You will need to rewrite or cast the expression.
这只是我分享的一个示例,实际的JSON是从其他几个函数生成的。所以我需要修复JSON,然后将其作为复合类型插入到表中。工作非常接近但未插入的是: -
INSERT INTO ta(ab) values (json_populate_recordset(null::ty, '[{"a":3,"b":"{3,33}"},{"a":4,"b":"{4,44}"}]'));
ERROR: column "ab" is of type ty[] but expression is of type ty
HINT: You will need to rewrite or cast the expression.
请注意我必须将数组转换为PostgreSQL喜欢的JSON兼容数组,但这仍然无效,因为存在类型转换问题。
所以,我真的想在这里解决两个问题: -
如何将JSON转换为json_populate_recordset喜欢的兼容JSON,即复杂的JSON被序列化为一个类型(在我们的例子中为ty)。
如何在尝试转换并插入类型的ARRAY时解决类型转换问题。
答案 0 :(得分:1)
从jsonb_to_recordset
insert into ta (ab)
select
array_agg((
a,
(select array_agg(e::int) from jsonb_array_elements_text(b) jae(e))
)::ty)
from jsonb_to_recordset(
'[{"a":3,"b":[3,33]},{"a":4,"b":[4,44]}]'
) as v(a int, b jsonb)