3

我正在尝试从 json 文件中获取值,而我得到的错误是TypeError: expected string or buffer. 我正在正确解析文件,而且我猜我的 json 文件格式也是正确的。我哪里错了?

这两个文件都在同一个目录中。

主文件.py

import json

json_data = open('meters_parameters.json')

data = json.loads(json_data)  // TypeError: expected string or buffer
print data
json_data.close()

米参数.json

{
    "cilantro" : [{
        "cem_093":[{
            "kwh":{"function":"3","address":"286","length":"2"},
            "serial_number":{"function":"3","address":"298","length":"2"},
            "slave_id":{"function":"3","address":"15","length":"2"}
        }]
    }],
    "elmeasure" : [{
        "lg1119_d":[{
            "kwh":{"function":"3","address":"286","length":"2"},
            "serial_number":{"function":"3","address":"298","length":"2"},
            "slave_id":{"function":"3","address":"15","length":"2"}
        }]
    }]
}
4

2 回答 2

11

loads需要一个字符串而不是文件句柄。你需要json.load

import json

with open('meters_parameters.json') as f:
    data = json.load(f)
print data
于 2013-09-19T04:44:18.510 回答
1

当您想要加载文件的所有内容时,您正在尝试加载文件对象。做:

data = json.loads(json_data.read())

.read()从文件中获取所有内容并将其作为字符串返回。


这里的with声明也更加pythonic:

with open('meters_parameters.json') as myfile:
    data = json.loads(myfile.read())
于 2013-09-19T04:43:52.640 回答