我有一张桌子来存储有关我的兔子的信息。看起来像这样:
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"'
);
我不喜欢这个问题。真是一团糟。
作为一名全职兔子饲养员,我没有时间更改我的数据库架构。我只想好好喂养我的兔子。有没有更可读的方式来执行该查询?
?
运算符:
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
您可以使用@>运算符来执行类似的操作
SELECT info->>'name'
FROM rabbits
WHERE info->'food' @> '"carrots"';
不是更聪明,而是更简单:
select info->>'name' from rabbits WHERE info->>'food' LIKE '%"carrots"%';
变化很小,但实际上没什么新意。确实缺少一个功能...
select info->>'name' from rabbits
where '"carrots"' = ANY (ARRAY(
select * from json_array_elements(info->'food'))::text[]);
如果数组位于 jsonb 列的根部,即列看起来像:
食物 |
---|
[“生菜”、“胡萝卜”] |
[“胡萝卜”、“西葫芦”] |
只需直接在括号内使用列名称即可:
select * from rabbits where (food)::jsonb ? 'carrots';
如果您想检查完整的 json 而不是一个键,您可以直接将 jsonb 类型转换为文本。
select * from table_name
where
column_name::text ilike '%Something%';
为了选择 JSONB 中的特定键,您应该使用 ->。
select * from rabbits where (info->'food')::jsonb ? 'carrots';
不是更简单,而是更智能:
select json_path_query(info, '$ ? (@.food[*] == "carrots")') from rabbits
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
您可以使用 POSITION() 函数或带有通配符的 LIKE 运算符。
SELECT * FROM your_table WHERE (POSITION( "Feild1" IN "Feild2") > 0) ;
或
SELECT * FROM your_table WHERE "Feild2" like '%' || "Feild1" || '%';