首先,我在Oracle中有一个返回clob的过程。这个clob包含一个json字符串,我用sql-select创建了pljson。 像这样:
procedure xyz
(
o_json out clob
)
is
m_json_list json_list := json_list;
m_json_temp json;
begin
for cs in (select id, name, birthday from profile)loop
m_json_temp := json;
m_json_temp.put('id', cs.id);
m_json_temp.put('name', cs.name);
m_json_temp.put('birthday', cs.birthday);
m_json_list.add(m_json_temp);
end loop;
o_json := convertToClob(m_json_list);
end xyz;
现在我想用Postgres数据库获得相同的结果。 我找到的唯一原因就是我有一个带有一个cloumn的表,它有'json'类型并包含整个json。这不是我要搜索的内容。
有人能举例说明如何在postgresql中实现这种情况吗?
修改 以下是内部联接的示例:
procedure xyz
(
o_json out clob
)
is
m_json_list json_list := json_list;
m_json_temp json;
begin
for cs in (select ppf.id, ppf.name, ppf.birthday, ott.info from profile ppf inner join other_table ott on ott.ott_id = ppf.id )loop
m_json_temp := json;
m_json_temp.put('id', cs.id);
m_json_temp.put('name', cs.name);
m_json_temp.put('birthday', cs.birthday);
m_json_temp.put('info', cs.info);
m_json_list.add(m_json_temp);
end loop;
o_json := convertToClob(m_json_list);
end xyz;
答案 0 :(得分:1)
因此,您正在寻找一种从查询构造json数组的方法。
给出一个表和一些测试数据:
postgres=# create table profile(id serial, name text, birthday date);
CREATE TABLE
postgres=# insert into profile(name, birthday) values('John', current_date - interval '30 years');
INSERT 0 1
postgres=# insert into profile(name, birthday) values('Jack', current_date - interval '25 years');
INSERT 0 1
您可以将行表示为json对象,如下所示:
postgres=# select row_to_json(p.*) from profile p;
row_to_json
------------------------------------------------
{"id":1,"name":"John","birthday":"1986-03-29"}
{"id":2,"name":"Jack","birthday":"1991-03-29"}
(2 rows)
然后将这些json对象聚合成一个数组:
postgres=# select json_agg(row_to_json(p.*)) from profile p;
json_agg
--------------------------------------------------------------------------------------------------
[{"id":1,"name":"John","birthday":"1986-03-29"}, {"id":2,"name":"Jack","birthday":"1991-03-29"}]
(1 row)
更简单的是,您可以使用聚合,它将为您完成所有转换:
postgres=# select json_agg(p.*) from profile p;
json_agg
---------------------------------------------------
[{"id":1,"name":"John","birthday":"1986-03-29"}, +
{"id":2,"name":"Jack","birthday":"1991-03-29"}]
(1 row)
(不要介意+
符号,它不是json的一部分。)