SQL中->>
和->
之间有什么区别?
在这个帖子(Check if field exists in json type column postgresql)中,回答者基本上建议使用,
json->'attribute' is not null
代替,
json->>'attribute' is not null
为什么使用单箭头而不是双箭头?在我有限的经验中,两者都做同样的事情。
答案 0 :(得分:24)
->
返回json(b)
,->>
返回text
:
with t (jo, ja) as (values
('{"a":"b"}'::jsonb,('[1,2]')::jsonb)
)
select
pg_typeof(jo -> 'a'), pg_typeof(jo ->> 'a'),
pg_typeof(ja -> 1), pg_typeof(ja ->> 1)
from t
;
pg_typeof | pg_typeof | pg_typeof | pg_typeof
-----------+-----------+-----------+-----------
jsonb | text | jsonb | text
答案 1 :(得分:12)
PostgreSQL提供了两个本地运算符->
和->>
来帮助您查询JSON数据。
运算符->
将JSON对象字段作为JSON返回。
运算符->>
将JSON对象字段作为文本返回。
以下查询使用运算符->
以JSON格式获取所有客户:
以下查询使用运算符->>
以文本形式获取所有客户:
您可以在下面的链接中看到更多详细信息 http://www.postgresqltutorial.com/postgresql-json/
答案 2 :(得分:2)
Postgres提供2个运算符来获取JSON成员:
->
返回JSON或JSONB类型->>
返回文本类型我们还必须了解,我们现在有2种不同的 null :
我在jsfiddle
上创建了一个示例让我们创建一个带有JSONB字段的简单表:
create table json_test (
id integer,
val JSONB
);
并插入一些测试数据:
INSERT INTO json_test (id, val) values
(1, jsonb_build_object('member', null)),
(2, jsonb_build_object('member', 12)),
(3, null);
我们在sqlfiddle中看到的输出:
id | val
----+-----------------
1 | {"member": null}
2 | {"member": 12}
3 | (null)
注意:
member
为空 member
具有数字值12
为了更好地理解差异,让我们看一下类型和null检查:
SELECT id,
val -> 'member' as arrow,
pg_typeof(val -> 'member') as arrow_pg_type,
val -> 'member' IS NULL as arrow_is_null,
val ->> 'member' as dbl_arrow,
pg_typeof(val ->> 'member') as dbl_arrow_pg_type,
val ->> 'member' IS NULL as dbl_arrow_is_null,
CASE WHEN jsonb_typeof(val -> 'member') = 'null' THEN true ELSE false END as is_json_null
from json_test;
输出:
+----+--------+---------------+---------------+-----------+-------------------+-------------------+--------------+
| id | arrow | arrow_pg_type | arrow_is_null | dbl_arrow | dbl_arrow_pg_type | dbl_arrow_is_null | is_json_null |
+----+--------+---------------+---------------+-----------+-------------------+-------------------+--------------+
| 1 | null | jsonb | false | (null) | text | true | true |
+----+--------+---------------+---------------+-----------+-------------------+-------------------+--------------+
| 2 | 12 | jsonb | false | 12 | text | false | false |
+----+--------+---------------+---------------+-----------+-------------------+-------------------+--------------+
| 3 | (null) | jsonb | true | (null) | text | true | false |
+----+--------+---------------+---------------+-----------+-------------------+-------------------+--------------+
注意:
{"member": null}
:
val -> 'member' IS NULL
是 false val ->> 'member' IS NULL
是真的is_json_null
可用于仅获取 json- 空条件