前言
在学习接口测试时,经常会遇到json数据,比如对content-type为application/json的接口进行接口测试,Python直接传字典会报错,在Python中json是什么数据类型呢?
Python3 中有六个标准的数据类型:
- Number(数字)
- String(字符串)
- List(列表)
- Tuple(元组)
- Set(集合)
- Dictionary(字典)
json.dumps()和json.loads()
json.dumps()和json.loads()是json格式处理函数(可以这么理解,json是字符串)
-
json.dumps()
方法是将一个Python数据类型列表进行json格式的编码(可以这么理解,json.dumps()函数是将字典转化为字符串) -
json.loads()
方法可以将 json 格式的字符串转换成 Python 对象(比如列表、字典、元组、整型以及浮点型),其中最常用的是转换为字典类型(可以这么理解,json.loads()
函数是将字符串转化为字典)
实例
import json
dict1 = {"source": 1, "apply_id": 1002411, "send_txt": "关系邀请", "recv_show": "TA申请成为你的", "send_show": "我申请成为你的",
"relation_type": 12} # 这是一个字典
print("原来的类型:", type(dict1))
str_json = json.dumps(dict1, ensure_ascii=False) # 将字典转换为json(字符串),ensure_ascii=False解决中文乱码
print("经过json.dumps()转换后类型变为:", type(str_json))
print("经过json.dumps()转换后类型变为:", str_json)
dict2 = json.loads(str_json) # 将json(字符串)转换为字典
print("经过json.loads()转换后类型变为:", type(dict2))
print("经过json.loads()转换后类型变为:", dict2)
输出
原来的类型: <class 'dict'>
经过json.dumps()转换后类型变为: <class 'str'>
经过json.dumps()转换后类型变为: {"source": 1, "apply_id": 1002411, "send_txt": "关系邀请", "recv_show": "TA申请成为你的", "send_show": "我申请成为你的", "relation_type": 12}
经过json.loads()转换后类型变为: <class 'dict'>
经过json.loads()转换后类型变为: {'source': 1, 'apply_id': 1002411, 'send_txt': '关系邀请', 'recv_show': 'TA申请成为你的', 'send_show': '我申请成为你的', 'relation_type': 12}
json.dump()和json.load()
它可以将 Python 对象(字典、列表等)转换为 json 字符串,并将转换后的数据写入到 json 格式的文件中 ,因此该方法必须操作文件流对象。比如当使用爬虫程序完成数据抓取后,有时需要将数据保存为 json 格式,此时就用到了 json.dump() 方法,语法格式如下:
json.dump(object,f,inden=0,ensure_ascii=False)
- object:Python 数据对象,比如字典,列表等
- f:文件流对象,即文件句柄。
- indent:格式化存储数据,使 JSON 字符串更易阅读。
- ensure_ascii:是否使用 ascii 编码,当数据中出现中文的时候,需要将其设置为 False。
示例如下:
import json
site = {"source": 1, "apply_id": 1002411, "send_txt": "关系邀请", "recv_show": "TA申请成为你的", "send_show": "我申请成为你的",
"relation_type": 12}
filename = 'website.json'
with open(filename, 'w') as f:
json.dump(site, f, ensure_ascii=False) # site可以是任意Python数据类型
打开'website.json文件查看
{"source": 1, "apply_id": 1002411, "send_txt": "关系邀请", "recv_show": "TA申请成为你的", "send_show": "我申请成为你的", "relation_type": 12}
json.load()
该方法用于操作文件流对象,不过它与 dump() 恰好相反,它表示从 json 文件中读取 JSON 字符串,并将读取内容转换为 Python 对象。使用示例如下:
import json
site = {"source": 1, "apply_id": 1002411, "send_txt": "关系邀请", "recv_show": "TA申请成为你的", "send_show": "我申请成为你的",
"relation_type": 12}
filename = 'website.json'
with open(filename, 'w') as f:
json.dump(site, f, ensure_ascii=False)
with open(filename, 'r') as f:
f_d = json.load(f)
print(type(f_d)) # json.load()处理后,字节流变成Python数据类型
print(f_d)
# output
<class 'dict'>
{'source': 1, 'apply_id': 1002411, 'send_txt': '关系邀请', 'recv_show': 'TA申请成为你的', 'send_show': '我申请成为你的', 'relation_type': 12}
解决中文乱码
json.dumps 中的参数 ensure_ascii=False 意思是不把中文进行转义,即显示中文
my_list_two = {"name": "秦始皇", "age": 12}
print(json.dumps(my_list_two, ensure_ascii=False))
print(json.dumps(my_list_two))
#output
{"name": "秦始皇", "age": 12}
{"name": "\u79e6\u59cb\u7687", "age": 12}