python字典与json转换的方法总结
(编辑:jimmy 日期: 2024/11/2 浏览:3 次 )
在python中json分别由列表和字典组成,本文主要介绍python中字典与json相互转换的方法。使用json.dumps可以把字典转成json字符串。使用json.loads可以把json字符串转为字典类型的数据。
1、字典转json
使用json.dumps
json.dumps是对python对象编码成json对象,可以把字典转成json字符串。
方法格式
#字典转换成json字符串 json.dumps(dict)
实例
# 创建字典 info_dict = {'name': 'Joe', 'age': 20, 'job': 'driver'} # dumps 将数据转换成字符串 info_json = json.dumps(info_dict,sort_keys=False, indent=4, separators=(',', ': ')) # 显示数据类型 print(type(info_json)) f = open('info.json', 'w') f.write(info_json)
2、json转字典
使用json.loads
json.loads是将json对象解码成python对象,即用于将字典类型的数据转成json字符串。
方法格式
#json字符串转换成字典 json.loads(json_str)
使用实例
In [25]: j Out[25]: '{"name": "mary", "age": 21}' In [26]: result = json.loads(j) In [27]: result Out[27]: {'name': 'mary', 'age': 21} In [28]: type(result) Out[28]: dict
python字典和json字符串相互转化的实例扩展
import json """ dumps:将python中的字典转换为字符串 output: {'fontFamily': '微软雅黑', 'fontSize': 12, 'BaseSettings': {'font': 1, 'size': {'length': 40, 'wigth': 30}}} {"fontFamily": "\u5fae\u8f6f\u96c5\u9ed1", "fontSize": 12, "BaseSettings": {"font": 1, "size": {"length": 40, "wigth": 30}}} """ def json_dumps(): json_dict = {'fontFamily': '微软雅黑', 'fontSize': 12, 'BaseSettings': {'font': 1, 'size': {'length': 40, 'wigth': 30}}} print(type(json_dict)) print(json_dict) json_str = json.dumps(json_dict) print(type(json_str)) print(json_str) """ dump:将数据写入json文件中 """ def json_dump(): json_dict = {'fontFamily': '微软雅黑', 'fontSize': 12, 'BaseSettings': {'font': 1, 'size': {'length': 40, 'wigth': 30}}} with open("../file/record.json", "w")as f: json.dump(json_dict, f) print("finished") """ loads:将字符串转换为字典 output: {"fontFamily": "微软雅黑", "fontSize": 12, "BaseSettings": {"font": 1, "size": {"length": 40, "wigth": 30}}} {'fontFamily': '微软雅黑', 'fontSize': 12, 'BaseSettings': {'font': 1, 'size': {'length': 40, 'wigth': 30}}} """ def json_loads(): json_str = '{"fontFamily": "\u5fae\u8f6f\u96c5\u9ed1", "fontSize": 12, "BaseSettings": {"font": 1, "size": {"length": 40, "wigth": 30}}}' print(type(json_str)) print(json_str) json_dict = json.loads(json_str) print(type(json_dict)) print(json_dict) """ load:读文件,并把字符串变换为Python数据类型 output: 40 {'fontFamily': '微软雅黑', 'fontSize': 12, 'BaseSettings': {'font': 1, 'size': {'length': 40, 'wigth': 30}}} """ def json_load(): f = open("../file/record.json", encoding='utf-8') setting = json.load(f) print(setting['BaseSettings']['size']['length']) setting['BaseSettings']['size']['length'] = 40 print(setting) if __name__ == '__main__': json_dumps() json_dump() json_loads() json_load()
下一篇:python字典按照value排序方法