3

我在 CockroachDB v2.0-beta 中有一个简单的表:

CREATE TABLE account ( 
   id UUID NOT NULL DEFAULT uuid_v4()::UUID, 
   acct JSON NULL,
   CONSTRAINT "primary" PRIMARY KEY (id ASC),
   INVERTED INDEX account_acct_idx (acct),
   FAMILY "primary" (id, acct) 
) 

我可以运行一个选择查询来查找 acct->properties 下的特定属性,如下所示:

select acct->>'id' from account where acct @> '{"properties": {"foo": "bar"}}';

有没有办法选择 Json blob 的子集,例如嵌套属性?这样的事情会有所帮助:

select acct->>'id', acct->>'properties:description' from account 
    where acct @> '{"properties": {"foo": "bar"}}';

提前感谢您的任何提示!

干杯,〜g

4

1 回答 1

3

正如 Jordan 在上面的评论中提到的,您已经可以使用您在问题中引用的运算符获取嵌套的 JSON 对象。使用您的示例,我可以按如下方式访问嵌套对象:

> CREATE TABLE account (
   id UUID NOT NULL DEFAULT uuid_v4()::UUID,
   acct JSON NULL,
   CONSTRAINT "primary" PRIMARY KEY (id ASC),
   INVERTED INDEX account_acct_idx (acct),
   FAMILY "primary" (id, acct)
);
CREATE TABLE

> INSERT INTO account (acct) VALUES ('{"properties": {"foo": "bar"}}');
INSERT 1

> SELECT * FROM account;
                   id                  |              acct
---------------------------------------+---------------------------------
  6fe08368-7720-4ddd-885e-75437b4e0267 | {"properties": {"foo": "bar"}}
(1 row)

> SELECT acct->>'properties' FROM account WHERE acct @> '{"properties": {"foo": "bar"}}';
     ?column?
------------------
  {"foo": "bar"}
(1 row)

请注意,它->>返回嵌套 JSON 对象的字符串表示形式。如我们的JSON 文档中所述,该运算符->可用于返回对象本身。如果您想访问更深的嵌套对象,这也允许您链接运算符。例如:

> select acct->'properties'->'foo' from account;
  ?column?
------------
  "bar"
(1 row)
于 2020-12-15T21:03:34.357 回答