1. ホーム
  2. json

[解決済み] PostgresのJSON配列に文字列が含まれているかどうかをチェックする

2022-04-20 17:19:31

質問

ウサギの情報を保存するためのテーブルがあります。それは以下のようなものです。

create table rabbits (rabbit_id bigserial primary key, info json not null);
insert into rabbits (info) values
  ('{"name":"Henry", "food":["lettuce","carrots"]}'),
  ('{"name":"Herald","food":["carrots","zucchini"]}'),
  ('{"name":"Helen", "food":["lettuce","cheese"]}');

ニンジン好きなウサギはどうやって探せばいいのでしょうか?私はこれを思いつきました。

select info->>'name' from rabbits where exists (
  select 1 from json_array_elements(info->'food') as food
  where food::text = '"carrots"'
);

そのクエリーは好きではありません。ごちゃごちゃしている。

フルタイムのウサギ飼いとして、データベース・スキーマを変更する時間はありません。ただ、ウサギにきちんと餌をやりたいだけなのです。もっと読みやすいクエリのやり方はないのでしょうか?

どのように解決するのですか?

PostgreSQL 9.4 からは ? 演算子 :

select info->>'name' from rabbits where (info->'food')::jsonb ? 'carrots';

をインデックス化することもできます。 ? クエリを "food" キーに切り替えた場合 jsonb タイプに変更します。

alter table rabbits alter info type jsonb using info::jsonb;
create index on rabbits using gin ((info->'food'));
select info->>'name' from rabbits where info->'food' ? 'carrots';

もちろん、フルタイムのウサギ飼いとしてそんな時間はないでしょうけど。

更新してください。 1,000,000羽のウサギのテーブルで、各ウサギが2つの食べ物を好み、そのうち10%がニンジンを好むという設定で、パフォーマンスの向上を実証しています。

d=# -- Postgres 9.3 solution
d=# explain analyze select info->>'name' from rabbits where exists (
d(# select 1 from json_array_elements(info->'food') as food
d(#   where food::text = '"carrots"'
d(# );
 Execution time: 3084.927 ms

d=# -- Postgres 9.4+ solution
d=# explain analyze select info->'name' from rabbits where (info->'food')::jsonb ? 'carrots';
 Execution time: 1255.501 ms

d=# alter table rabbits alter info type jsonb using info::jsonb;
d=# explain analyze select info->'name' from rabbits where info->'food' ? 'carrots';
 Execution time: 465.919 ms

d=# create index on rabbits using gin ((info->'food'));
d=# explain analyze select info->'name' from rabbits where info->'food' ? 'carrots';
 Execution time: 256.478 ms