一、定义
- 是一种数据格式
- 使用JavaScript对象表示法
二、结构
1. 对象结构
json格式的数据,在python中是以字符串或者字节类型来呈现
{
"code": 0,
"msg": "OK",
"data": {
"id": 7,
"member_id": 60,
"title": true,
"amount": 400.0,
"full_time": null
}
}
2. 数组结构
[{
"id": 7,
"member_id": 60,
"title": true,
"amount": 400.0,
"full_time": null
}, {
"name": "merrill",
"age": "24"
}]
3. 注意事项
- json格式的数据,在python中以字符串形式呈现
- json中空值为null,布尔值(True和False)都要以小写开头(true和false)
- json中除数字、null、true和false外,所有的key和value都是字符串,且一定只能使用双引号
三、使用JSON数据
1. 使用对象结构的JSON数据
1.1 将json格式的字符串转换python中的数据类型(转换为字典)
- 导入json模块,使用loads方法
import json
data_json = '{"code": 0,"msg": "OK","data": [{"id": 7, "member_id": 60, "title": true, "amount": 400.0, "full_time": null}]}'
# 将json格式的字符串转换python中的数据类型(转换为字典或者嵌套字典的列表)
data_dict = json.loads(data_json)
print(data_dict)
print(type(data_dict))
输出结果如下:
{'code': 0, 'msg': 'OK', 'data': [{'id': 7, 'member_id': 60, 'title': True, 'amount': 400.0, 'full_time': None}]}
<class 'dict'>
注意:函数json.loads是不能使用单引号引用的json字符串,可改用双引号,或者在json.loads之前先调用json.dumps(数据)
1.2 将python中的字典或者嵌套字典的列表转换为json格式的数据
- 导入json模块,使用dumps方法
import json
dic = {
"name": "meriill",
"age": "24",
"sex": "男",
"result": True
}
lis = [
{
"id": 7,
"member_id": 60,
"title": True,
"amount": 400.0,
"full_time": None
},
{
"name": "merrill",
"age": "24"
}
]
# 如果要转换的数据中包含中文,给ensure_ascii赋值False就可以转换后显示中文
data_json_str = json.dumps(dic, ensure_ascii=False)
print(data_json_str)
print(type(data_json_str))
data_json_str_sec = json.dumps(lis)
print(data_json_str_sec)
print(type(data_json_str_sec))
输出结果如下:
{"name": "meriill", "age": "24", "sex": "男", "result": true}
<class 'str'>
[{"id": 7, "member_id": 60, "title": true, "amount": 400.0, "full_time": null}, {"name": "merrill", "age": "24"}]
<class 'str'>
2. 使用数组结构的JSON数据
2.1 将json格式的字符串转换python中的数据类型(转换为嵌套字典的列表)
- 导入json模块,使用loads方法
import json
data_json_thr = '[{"id": 7, "member_id": 60, "title": true, "amount": 400.0, "full_time": null},{"name":"merrill","age":"24"}]'
data_list = json.loads(data_json_thr)
print(data_list)
print(type(data_list))
输出结果如下:
[{'id': 7, 'member_id': 60, 'title': True, 'amount': 400.0, 'full_time': None}, {'name': 'merrill', 'age': '24'}]
<class 'list'>
四、在配置文件中使用JSON数据
- 导入json模块,使用load、dump方法
import json
# 从配置文件读取json类型的数据
# 在py文件中把json类型数据转换字典或者嵌套字典的列表,使用loads。
# 在配置文件中把json类型数据转换字典或者嵌套字典的列表,使用load。
with open("json.txt", encoding="utf-8") as file:
data_dic = json.load(file)
print(data_dic)
print(type(data_dic))
# 把json类型的数据写入配置文件
# 在py文件中把字典或者嵌套字典的列表转换为json类型数据,使用dumps。
# 把字典或者嵌套字典的列表转换为json类型数据后写入到配置文件中,使用dump。
dic = {
"name": "meriill",
"age": "24",
"sex": "男",
"result": True
}
with open("json_write.txt", "w", encoding="utf-8") as file_sec:
json.dump(dic, file_sec, ensure_ascii=False)
1. 注意事项
- 在py文件中把json类型数据转换字典或者嵌套字典的列表,使用loads
- 在配置文件中把json类型数据转换字典或者嵌套字典的列表,使用load
- 在py文件中把字典或者嵌套字典的列表转换为json类型数据,使用dumps
- 把字典或者嵌套字典的列表转换为json类型数据后写入到配置文件中,使用dump