PHP前端开发

Python自定义类对象序列化为Json串(代码示例)

百变鹏仔 2个月前 (01-23) #Python
文章标签 自定义

本篇文章给大家带来的内容是关于Python自定义类对象序列化为Json串(代码示例),有一定的参考价值,有需要的朋友可以参考一下,希望对你有所帮助。

之前已经实现了Python: Json串反序列化为自定义类对象,这次来实现了Json的序列化。

测试代码和结果如下:

import Json.JsonToolclass Score:    math = 0    chinese = 0class Book:    name = ''    type = ''class Student:    id = ''    name = ''    score = Score()    books = [Book()]student = Student()json_data = '{"id":"123", "name":"kid", "score":{"math":100, "chinese":98}, '             '"books":[{"name":"math", "type":"study"}, '             '{"name":"The Little Prince", "type":"literature"}]} 'Json.JsonTool.json_deserialize(json_data, student)print(student.name)print(student.score.math)print(student.books[1].name)student_str = Json.JsonTool.json_serialize(student)print(student_str)input("按回车键退出。")

运行结果:

立即学习“Python免费学习笔记(深入)”;

kid100The Little Prince{"books": [{"name": "math", "type": "study"}, {"name": "The Little Prince", "type": "literature"}], "id": "123", "name": "kid", "score": {"chinese": 98, "math": 100}}按回车键退出。

实现代码如下:

def json_serialize(obj):    obj_dic = class2dic(obj)    return json.dumps(obj_dic)def class2dic(obj):    obj_dic = obj.__dict__    for key in obj_dic.keys():        value = obj_dic[key]        obj_dic[key] = value2py_data(value)    return obj_dicdef value2py_data(value):    if str(type(value)).__contains__('__main__'):        # value 为自定义类        value = class2dic(value)    elif str(type(value)) == "<class>":        # value 为列表        for index in range(0, value.__len__()):            value[index] = value2py_data(value[index])    return value</class>