可以用函数 json.dumps()
将 Python 对象编码转换为字符串形式。
例如:
1
2
3
4
|
import json python_obj = [[ 1 , 2 , 3 ], 3.14 , 'abc' ,{ 'key1' :( 1 , 2 , 3 ), 'key2' :[ 4 , 5 , 6 ]}, True , False , None ] json_str = json.dumps(python_obj) print (json_str) |
输出:
[[1, 2, 3], 3.14, "abc", {"key1": [1, 2, 3], "key2":
[4, 5, 6]}, true, false, null]
简单类型对象编码后的字符串和其原始的 repr()结果基本是一致的,但有些数据类型,如上例中的元组(1, 2, 3)被转换成了[1, 2, 3](json 模块的 array 数组形式)。
可以向函数 json.dumps()传递一些参数以控制转换的结果。例如,参数 sort_keys=True 时,dict 类型的数据将按key(键)有序转换:
1
2
3
4
5
|
data = [{ 'xyz' : 3.0 , 'abc' : 'get' , 'hi' : ( 1 , 2 ) }, 'world' , 'hello' ] json_str = json.dumps(data) print (json_str) json_str = json.dumps(data, sort_keys = True ) print (json_str) |
输出:
[{"xyz": 3.0, "abc": "get", "hi": [1, 2]}, "world", "hello"]
[{"abc": "get", "hi": [1, 2], "xyz": 3.0}, "world", "hello"]
即当 sort_keys=True 时,转换后的 json 串对于字典的元素是按键(key)有序的。
对于结构化数据,可以给参数 indent 设置一个值(如 indent=3)来产生具有缩进的、阅读性好的json 串:
1
2
|
json_str = json.dumps(data, sort_keys = True ,indent = 3 ) print (json_str) |
输出:
[
{
"abc": "get",
"hi": [
1,
2
],
"xyz": 3.0
},
"world",
"hello"
]
总结
本篇文章就到这里了,希望能够给你带来帮助,也希望您能够多多关注服务器之家的更多内容!
原文链接:https://blog.csdn.net/m0_64430632/article/details/121598998