我有orders
的表格:
postgres=# \d orders
Table "public.orders"
Column | Type | Modifiers
--------------------+-----------------------------+-------------------------------------
id | uuid | not null default uuid_generate_v4()
production_details | jsonb |
我的production_details
表示如下:
postgres=# SELECT production_details FROM orders;
{
"data":[
{
"id":"1a24586c-c917-45d0-93d9-2d969fa6959d",
"quantity":10,
"production_at":"2016-04-17T00:00:00.000+00:00"
},
...
]
}
对于每个production_detail
,我希望将timestamp
更改为date
。
我知道我可以选择所有production_at
:
SELECT (jsonb_array_elements(production_details->'data')->>'production_at') FROM orders;
但是,如何更新这样的JSON?
答案 0 :(得分:1)
解开数组,编辑元素并重新构建整个对象。
示例数据:
create table orders (id int, details jsonb);
insert into orders values (1,
'{
"data":[
{
"id":"1a24586c-c917-45d0-93d9-2d969fa6959d",
"quantity":10,
"production_at":"2016-04-17T00:00:00.000+00:00"
},
{
"id":"1a24586c-c917-45d0-93d9-2d969fa6959x",
"quantity":20,
"production_at":"2016-04-18T00:00:00.000+00:00"
}
]
}');
查询:
update orders o
set details = (
select
json_build_object(
'data',
jsonb_agg(
jsonb_set(
e,
'{production_at}',
to_jsonb((e->>'production_at')::timestamp::date::text))
)
)
from orders, jsonb_array_elements(details->'data') e
where id = o.id
);
结果:
select id, jsonb_pretty(details) from orders;
id | jsonb_pretty
----+-----------------------------------------------------------
1 | { +
| "data": [ +
| { +
| "id": "1a24586c-c917-45d0-93d9-2d969fa6959d",+
| "quantity": 10, +
| "production_at": "2016-04-17" +
| }, +
| { +
| "id": "1a24586c-c917-45d0-93d9-2d969fa6959x",+
| "quantity": 20, +
| "production_at": "2016-04-18" +
| } +
| ] +
| }
(1 row)