den*_*dog 3 sql google-bigquery
我有可以有不同json键的数据,我想将所有这些数据存储在bigquery,然后稍后探索可用的字段。
我的结构将是这样的:
[
{id: 1111, data: {a:27, b:62, c: 'string'} },
{id: 2222, data: {a:27, c: 'string'} },
{id: 3333, data: {a:27} },
{id: 4444, data: {a:27, b:62, c:'string'} },
]
Run Code Online (Sandbox Code Playgroud)
我想使用一种STRUCT类型,但似乎所有字段都需要声明?
然后我希望能够查询并查看每个键出现的频率,并且基本上使用例如a键对所有记录运行查询,就好像它在自己的列中一样。
旁注:这个数据来自 URL 查询字符串,也许有人认为最好推送完整的 url 并使用函数来运行分析?
小智 6
正如您在示例中所拥有的那样,有两种主要的方法可以存储半结构化数据:
选项 #1:存储 JSON 字符串
您可以将data字段存储为 JSON 字符串,然后使用该JSON_EXTRACT函数提取它可以找到的值,NULL对于任何找不到的值,它都会返回。
既然您提到需要对字段进行数学分析,那么让我们SUM对a和的值做一个简单的处理b:
# Creating an example table using the WITH statement, this would not be needed
# for a real table.
WITH records AS (
SELECT 1111 AS id, "{\"a\":27, \"b\":62, \"c\": \"string\"}" as data
UNION ALL
SELECT 2222 AS id, "{\"a\":27, \"c\": \"string\"}" as data
UNION ALL
SELECT 3333 AS id, "{\"a\":27}" as data
UNION ALL
SELECT 4444 AS id, "{\"a\":27, \"b\":62, \"c\": \"string\"}" as data
)
# Example Query
SELECT SUM(aValue) AS aSum, SUM(bValue) AS bSum FROM (
SELECT id,
CAST(JSON_EXTRACT(data, "$.a") AS INT64) AS aValue, # Extract & cast as an INT
CAST(JSON_EXTRACT(data, "$.b") AS INT64) AS bValue # Extract & cast as an INT
FROM records
)
# results
# Row | aSum | bSum
# 1 | 108 | 124
Run Code Online (Sandbox Code Playgroud)
这种方法有一些优点和缺点:
优点
缺点
选项#2:重复字段
BigQuery支持重复字段,允许您采用自己的结构并在 SQL 中以本机方式表达它。
使用相同的示例,我们将如何做到这一点:
## Using a with to create a sample table
WITH records AS (SELECT * FROM UNNEST(ARRAY<STRUCT<id INT64, data ARRAY<STRUCT<key STRING, value STRING>>>>[
(1111, [("a","27"),("b","62"),("c","string")]),
(2222, [("a","27"),("c","string")]),
(3333, [("a","27")]),
(4444, [("a","27"),("b","62"),("c","string")])
])),
## Using another WITH table to take records and unnest them to be joined later
recordsUnnested AS (
SELECT id, key, value
FROM records, UNNEST(records.data) AS keyVals
)
SELECT SUM(aValue) AS aSum, SUM(bValue) AS bSum
FROM (
SELECT R.id, CAST(RA.value AS INT64) AS aValue, CAST(RB.value AS INT64) AS bValue
FROM records R
LEFT JOIN recordsUnnested RA ON R.id = RA.id AND RA.key = "a"
LEFT JOIN recordsUnnested RB ON R.id = RB.id AND RB.key = "b"
)
# results
# Row | aSum | bSum
# 1 | 108 | 124
Run Code Online (Sandbox Code Playgroud)
如您所见,要执行类似的操作,仍然相当复杂。您还必须CAST在必要时将字符串之类的项目和它们存储到其他值中,因为您不能在重复字段中混合类型。
优点
缺点
希望有帮助,祝你好运。
| 归档时间: |
|
| 查看次数: |
1054 次 |
| 最近记录: |