web-dev-qa-db-ja.com

Postgres JSON配列に文字列が含まれているかどうかを確認します

ウサギに関する情報を保存するテーブルがあります。次のようになります。

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"'
);

私はそのクエリが好きではありません。それは混乱です。

フルタイムのウサギ飼育者として、データベーススキーマを変更する時間はありません。ウサギに適切に餌をあげたいだけです。そのクエリを行うより読みやすい方法はありますか?

77
Snowball

PostgreSQL 9.4以降では、 ?演算子 を使用できます。

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

代わりにjsonbタイプに切り替えると、?キーの"food"クエリにインデックスを付けることもできます。

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
137
Snowball

より賢くはないが、より簡単:

select info->>'name' from rabbits WHERE info->>'food' LIKE '%"carrots"%';
16
chrmod

@>演算子を使用してこれを行うことができます

SELECT info->>'name'
FROM rabbits
WHERE info->'food' @> '"carrots"';
15
gori

小さな変化ですが、新しい事実はありません。本当に機能がありません...

select info->>'name' from rabbits 
where '"carrots"' = ANY (ARRAY(
    select * from json_array_elements(info->'food'))::text[]);
12
macias