6

我正在尝试在 PostgreSQL 9.4 中搜索 JSONB 对象。我的问题类似于这个线程

但是我的数据结构略有不同,这导致了我的问题。我的数据结构是这样的:

[
    {"id":1, "msg":"testing"}
    {"id":2, "msg":"tested"}
    {"id":3, "msg":"nothing"}
]

我想通过 msg(RegEx、LIKE、= 等)在该数组中搜索匹配的对象。更具体地说,我希望表中 JSONB 字段具有与我的请求匹配的“msg”对象的所有行。

下面显示了一个类似于我所拥有的结构:

SELECT * FROM 
    (SELECT 
        '[{"id":1,"msg":"testing"},{"id":2,"msg":"tested"},{"id":3,"msg":"nothing"}]'::jsonb as data) 
    as jsonbexample;

这显示了尝试实现上述链接的答案,但不起作用(返回 0 行):

SELECT * FROM 
    (SELECT 
        '[{"id":1,"msg":"testing"},{"id":2,"msg":"tested"},{"id":3,"msg":"nothing"}]'::jsonb as data) 
    as jsonbexample 
WHERE 
    (data #>> '{msg}') LIKE '%est%';

谁能解释如何搜索 JSONB 数组?在上面的示例中,我想在表中查找其“数据”JSONB 字段包含“msg”匹配某些对象的任何行(例如,LIKE '%est%')。


更新

此代码创建一个新类型(稍后需要):

CREATE TYPE AlertLine AS (id INTEGER, msg TEXT);

然后,您可以使用它来使用 JSONB_POPULATE_RECORDSET 拆分列:

SELECT * FROM 
    JSONB_POPULATE_RECORDSET(
        null::AlertLine, 
        (SELECT '[{"id":1,"msg":"testing"},
                  {"id":2,"msg":"tested"},
                  {"id":3,"msg":"nothing"}]'::jsonb 
         as data
        )
    ) as jsonbex;

输出:

 id |   msg   
----+---------
  1 | testing
  2 | tested
  3 | nothing

并加入约束:

SELECT * FROM 
    JSONB_POPULATE_RECORDSET(
        null::AlertLine, 
        (SELECT '[{"id":1,"msg":"testing"},
                  {"id":2,"msg":"tested"},
                  {"id":3,"msg":"nothing"}]'::jsonb 
         as data)
        ) as jsonbex 
WHERE 
    msg LIKE '%est%';

输出:

id |   msg   
---+---------
 1 | testing
 2 | tested

所以剩下的部分问题是如何把它作为一个子句放在另一个查询中。

所以,如果上面代码的输出=x,我怎么问:

SELECT * FROM mytable WHERE x > (0 rows);
4

1 回答 1

4

您可以使用exists

SELECT * FROM 
    (SELECT 
        '[{"id":1,"msg":"testing"},{"id":2,"msg":"tested"},{"id":3,"msg":"nothing"}]'::jsonb as data) 
    as jsonbexample 
WHERE 
    EXISTS (SELECT 1 FROM jsonb_array_elements(data) as j(data) WHERE (data#>> '{msg}') LIKE '%est%');

要查询以下评论中提到的表:

SELECT * FROM atable 
WHERE EXISTS (SELECT 1 FROM jsonb_array_elements(columnx) as j(data) WHERE (data#>> '{msg}') LIKE '%est%');
于 2015-06-02T09:21:50.710 回答