using a Postgres-Db as source for json-documents, I need to convert two columns from a table to an JSON-object.
So I have the columns "color_id", "language" and "name" in a table of colors:
color_id | language | name 1 | "de" | "blau" 1 | "en" | "blue" 1 | "fr" | "bleu"
And I'd like to produce a JSON-object like:
{ "de": "blau", "fr": "bleu", "en": "blue" }
I started with
SELECT array_to_json(array_agg((language::text, name::text))), color_id FROM colors GROUP BY color_id;
which unfortunately produced
array to json | color_id "[{"f1":"de","f2":"blau"} | , {"f1":"en","f2":"blue"} | 1 , {"f1":"fr","f2":"bleu"}]" |
I'd think it would be simple - more or less -, but found myself at a dead end of misleading results and syntax errors.
Kind regards, Dominik
Use jsonb_object_agg()
:
with data(color_id, language, name) as (
values
(1, 'de', 'blau'),
(1, 'en', 'blue'),
(1, 'fr', 'bleu')
)
select color_id, jsonb_object_agg(language, name)
from data
group by 1;
color_id | jsonb_object_agg
----------+--------------------------------------------
1 | {"de": "blau", "en": "blue", "fr": "bleu"}
(1 row)
The function jsonb_object_agg()
was introduced in Postgres 9.5.
In Postgres 9.4 use json_object_agg()
instead.
In Postgres 9.3 you have to construct the result using string functions:
select
color_id,
format('{%s}', string_agg(format('"%s": "%s"', language, name), ', '))::json
from data
group by 1;
For key value pair and Proper JSON data this can be used
with data(color_id, language, name) as (
values
(1, 'de', 'blau'),
(1, 'en', 'blue'),
(1, 'fr', 'bleu')
)
SELECT color_id,
json_agg((SELECT x FROM (SELECT language, name) AS x)) AS json_data
FROM data
group by "data".color_id;
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With