187

我有一张表来存储关于我的兔子的信息。它看起来像这样:

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

我不喜欢那个查询。一团糟。

作为一名全职养兔人,我没有时间更改我的数据库架构。我只想好好喂养我的兔子。有没有更易读的方式来做那个查询?

4

7 回答 7

260

从 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 只兔子组成的桌子上的性能改进演示,其中每只兔子喜欢两种食物,其中 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
于 2014-11-26T08:16:52.013 回答
44

您可以使用 @> 运算符来执行此操作,例如

SELECT info->>'name'
FROM rabbits
WHERE info->'food' @> '"carrots"';
于 2016-07-12T12:29:40.713 回答
24

不是更聪明而是更简单:

select info->>'name' from rabbits WHERE info->>'food' LIKE '%"carrots"%';
于 2013-11-15T10:36:51.023 回答
15

一个小的变化,但没有什么新的事实。真的少了一个功能...

select info->>'name' from rabbits 
where '"carrots"' = ANY (ARRAY(
    select * from json_array_elements(info->'food'))::text[]);
于 2014-04-10T09:23:40.317 回答
1

不是更简单而是更智能:

select json_path_query(info, '$ ? (@.food[*] == "carrots")') from rabbits
于 2021-08-07T03:05:35.020 回答
0

如果数组位于 jsonb 列的根目录,即列如下所示:

食物
[“生菜”,“胡萝卜”]
[“胡萝卜”,“西葫芦”]

只需在括号内直接使用列名:

select * from rabbits where (food)::jsonb ? 'carrots';
于 2022-02-08T16:27:15.537 回答
0

这可能会有所帮助。

SELECT a.crops ->> 'contentFile' as contentFile
FROM ( SELECT json_array_elements('[
    {
        "cropId": 23,
        "contentFile": "/menu/wheat"
    },
    {
        "cropId": 25,
        "contentFile": "/menu/rice"
    }
]') as crops ) a
WHERE a.crops ->> 'cropId' = '23';

输出:

/menu/wheat
于 2022-02-27T18:13:31.580 回答