python模块之序列化json模块
序列化json模块
json格式数据:跨语言传输
import json
d = {'username': 'jason', 'pwd': 123}
1.将python其他数据转换为json格式字符串(序列化)
res = json.dumos(d)
print(res,type(res)) # {"username": "jason", "pwd": 123}
**只有json才能用双引号表示字符串形式**
2. 将json格式字符串转成当前语言对应的某个数据类型(反序列化)
res = json.loads(res)
print(res,type(res))
{'username': 'jason', 'pwd': 123}
相当于:
bytes_data = b'{"username": "jason", "pwd": 123}'
bytes_str = bytes_data.decode('utf8')
bytes_dict = json.loads(bytes_str)
print(bytes_dict,type(bytes_dict))
可以简单理解为:
序列化就是将其他数据类型转换成字符串的过程
json.dumps()
反序列化就是将字符串转换成其他数据类型的过程
json.loads()
将字典写入文件
普通方法:
with open(r'a.txt','w',encoding='utf8') as f:
f.write(str(d)) # 可以将字典直接转为字符串写入
# 将字典d取出来
with open(r'a.txt','r',encoding='utf8') as f:
data = f.read()
print(dict(data)) # 但是这样是不会转为字典的读出来的 无法进行后续操作
使用json模块:
with open(r'a.txt','w',encoding='utf8') as f:
res = json.dumps(d) # 序列化成json格式字符串
f.write(res)
# 将字典d取出来
with open(r'a.txt','r',encoding='utf8') as f:
data = f.read()
res1 = json.loads(data)
print(res1,type(res1))
可以直接用 json.dump 和 json.load
# d1 = {'username': 'tony', 'pwd': 123,'hobby':[11,22,33]}
# with open(r'a.txt', 'w', encoding='utf8') as f:
# json.dump(d1, f)
# with open(r'a.txt','r',encoding='utf8') as f:
# res = json.load(f)
# print(res,type(res))
json 内置为ascii码编写 只可以识别数字对应的字符 无法识别中文
d1 = {'username': 'tony好帅哦 我好喜欢', 'pwd': 123,'hobby':[11,22,33]}
print(json.dumps(d1,ensure_ascii=False))
## 这样就可以解决不能识别汉字的问题
"""
# 并不是所有的数据类型都支持序列化
json.JSONEncoder 查看支持的数据类型
"""