Python解析Json以及Python中字典和Json的区别

Python的字典和JSON在表现形式上非常相似


实际上JSON就是Python字典的字符串表示

但是字典作为一个复杂对象是无法直接转换成定义它的代码的字符串

Python有一个叫simplejson的库可以方便的完成JSON的生成和解析

这个包已经包含在Python2.6中

就叫json 主要包含四个方法:

dump和dumps(从Python生成JSON)

load和loads(解析JSON成Python的数据类型)

dump和dumps的唯一区别是dump会生成一个类文件对象

dumps会生成字符串,同理load和loads分别解析类文件对象和字符串格式的JSON


import json
dic = {
         'str': 'this is a string',
         'list': [1, 2, 'a', 'b'],
         'sub_dic': {
                       'sub_str': 'this is sub str',
                       'sub_list': [1, 2, 3]
                     },
         'end': 'end'
       }
json.dumps(dic)
#output:
#'{"sub_dic": {"sub_str": "this is sub str", "sub_list": [1, 2, 3]}, "end": "end", "list": [1, 2, "a", "b"], "str": "this is a string"}'


下面看下Python中字典和JS中Json的区别

这是Python中的一个字典


#这是Python中的一个字典
dic = {
         'str': 'this is a string',
         'list': [1, 2, 'a', 'b'],
         'sub_dic': {
                       'sub_str': 'this is sub str',
                       'sub_list': [1, 2, 3]
                     },
         'end': 'end'
       }
这是javascript中的一个JSON对象
//这是javascript中的一个JSON对象
json_obj = {
         'str': 'this is a string',
         'arr': [1, 2, 'a', 'b'],
         'sub_obj': {
                       'sub_str': 'this is sub str',
                       'sub_list': [1, 2, 3]
                     },
         'end': 'end'
       }


原文链接:Python解析Json以及Python中字典和Json的区别