协慌网

登录 贡献 社区

为什么 Python 不能解析这个 JSON 数据?

我在文件中有这个 JSON:

{
    "maps": [
        {
            "id": "blabla",
            "iscategorical": "0"
        },
        {
            "id": "blabla",
            "iscategorical": "0"
        }
    ],
    "masks": [
        "id": "valore"
    ],
    "om_points": "value",
    "parameters": [
        "id": "valore"
    ]
}

我写了这个脚本来打印所有的 JSON 数据:

import json
from pprint import pprint

with open('data.json') as f:
    data = json.load(f)

pprint(data)

但该程序引发了一个例外:

Traceback (most recent call last):
  File "<pyshell#1>", line 5, in <module>
    data = json.load(f)
  File "/usr/lib/python3.5/json/__init__.py", line 319, in loads
    return _default_decoder.decode(s)
  File "/usr/lib/python3.5/json/decoder.py", line 339, in decode
    obj, end = self.raw_decode(s, idx=_w(s, 0).end())
  File "/usr/lib/python3.5/json/decoder.py", line 355, in raw_decode
    obj, end = self.scan_once(s, idx)
json.decoder.JSONDecodeError: Expecting ',' delimiter: line 13 column 13 (char 213)

如何解析 JSON 并提取其值?

答案

您的数据不是有效的JSON格式。当你应该拥有{}时,你有[]

  • []适用于 JSON 数组,在 Python 中称为list
  • {}用于 JSON 对象,在 Python 中称为dict

以下是您的 JSON 文件的外观:

{
    "maps": [
        {
            "id": "blabla",
            "iscategorical": "0"
        },
        {
            "id": "blabla",
            "iscategorical": "0"
        }
    ],
    "masks": {
        "id": "valore"
    },
    "om_points": "value",
    "parameters": {
        "id": "valore"
    }
}

然后你可以使用你的代码:

import json
from pprint import pprint

with open('data.json') as f:
    data = json.load(f)

pprint(data)

使用数据,您现在还可以找到如下值:

data["maps"][0]["id"]
data["masks"]["id"]
data["om_points"]

尝试一下,看看它是否有意义。

您的data.json应如下所示:

{
 "maps":[
         {"id":"blabla","iscategorical":"0"},
         {"id":"blabla","iscategorical":"0"}
        ],
"masks":
         {"id":"valore"},
"om_points":"value",
"parameters":
         {"id":"valore"}
}

你的代码应该是:

import json
from pprint import pprint

with open('data.json') as data_file:    
    data = json.load(data_file)
pprint(data)

请注意,这仅适用于 Python 2.6 及更高版本,因为它取决于with -statement 。在 Python 2.5 中使用from __future__ import with_statement ,在 Python <= 2.4 中,请参阅Justin Peel 的答案 ,答案是基于此答案。

您现在还可以访问单个值,如下所示:

data["maps"][0]["id"]  # will return 'blabla'
data["masks"]["id"]    # will return 'valore'
data["om_points"]      # will return 'value'

Justin Peel 的回答非常有用,但是如果你使用 Python 3 阅读 JSON 应该这样做:

with open('data.json', encoding='utf-8') as data_file:
    data = json.loads(data_file.read())

注意:使用json.loads而不是json.load 。在 Python 3 中, json.loads接受一个字符串参数。 json.load采用类似文件的对象参数。 data_file.read()返回一个字符串对象。