如何转储字典到JSON文件?

我有一个这样的字典:

sample = {'ObjectInterpolator': 1629,  'PointInterpolator': 1675, 'RectangleInterpolator': 2042}

我不知道如何转储字典到一个JSON文件如下所示:

{
"name": "interpolator",
"children": [
{"name": "ObjectInterpolator", "size": 1629},
{"name": "PointInterpolator", "size": 1675},
{"name": "RectangleInterpolator", "size": 2042}
]
}

有蟒式的方法吗?

你可能猜到我想要生成一个d3树图。

615665 次浏览

这应该是一个开始

>>> import json
>>> print json.dumps([{'name': k, 'size': v} for k,v in sample.items()], indent=4)
[
{
"name": "PointInterpolator",
"size": 1675
},
{
"name": "ObjectInterpolator",
"size": 1629
},
{
"name": "RectangleInterpolator",
"size": 2042
}
]
d = {"name":"interpolator",
"children":[{'name':key,"size":value} for key,value in sample.items()]}
json_string = json.dumps(d)

从python 3.7开始,字典的顺序被保留https://docs.python.org/3.8/library/stdtypes.html#mapping-types-dict

字典保持插入顺序。注意,更新密钥不会影响顺序。删除后添加的键在最后插入

结合@mgilson和@gnibbler的答案,我发现我需要的是:

d = {
"name": "interpolator",
"children": [{
'name': key,
"size": value
} for key, value in sample.items()]
}
j = json.dumps(d, indent=4)
with open('sample.json', 'w') as f:
print >> f, j
这样,我得到了一个漂亮的打印json文件。 print >> f, j可以从这里找到: http://www.anthonydebarros.com/2012/03/11/generate-json-from-sql-using-python/ < / p >
import json
with open('result.json', 'w') as fp:
json.dump(sample, fp)

这是一种更简单的方法。

在第二行代码中,文件result.json被创建并作为变量fp打开。

在第三行,你的字典sample被写入result.json!

精美打印格式:

import json


with open(path_to_file, 'w') as file:
json_string = json.dumps(sample, default=lambda o: o.__dict__, sort_keys=True, indent=2)
file.write(json_string)

还想添加这个(Python 3.7)

import json


with open("dict_to_json_textfile.txt", 'w') as fout:
json_dumps_str = json.dumps(a_dictionary, indent=4)
print(json_dumps_str, file=fout)

所以我添加这个例子的原因是因为有时你可以使用print()函数来写入文件,这也展示了如何使用缩进(无缩进的东西是邪恶的!!)然而我最近开始学习线程,我的一些研究表明print()语句并不总是线程安全的。所以如果你需要线程,你可能要小心这个。

如果你正在使用Path:

example_path = Path('/tmp/test.json')
example_dict = {'x': 24, 'y': 25}
json_str = json.dumps(example_dict, indent=4) + '\n'
example_path.write_text(json_str, encoding='utf-8')