python使用json格式进行数据封装

官方地址(英文):http://simplejson.readthedocs.org/en/latest/

最简单的使用方法是:

[html]  view plain copy
  1. >>> import simplejson as json  
  2. >>> json.dumps(['foo', {'bar': ('baz', None, 1.0, 2)}])  
  3. '["foo", {"bar": ["baz", null, 1.0, 2]}]'  
  4. >>> print(json.dumps("\"foo\bar"))  
  5. "\"foo\bar"  
  6. >>> print(json.dumps(u'\u1234'))  
  7. "\u1234"  
  8. >>> print(json.dumps('\\'))  
  9. "\\"  
  10. >>> print(json.dumps({"c": 0, "b": 0, "a": 0}, sort_keys=True))  
  11. {"a": 0, "b": 0, "c": 0}  
  12. >>> from simplejson.compat import StringIO  
  13. >>> io = StringIO()  
  14. >>> json.dump(['streaming API'], io)  
  15. >>> io.getvalue()  
  16. '["streaming API"]'  


一般情况下:

[html]  view plain copy
  1. >>> import simplejson as json  
  2. >>> obj = [1,2,3,{'4': 5, '6': 7}]  
  3. >>> json.dumps(obj, separators=(',', ':'), sort_keys=True)  
  4. '[1,2,3,{"4":5,"6":7}]'  


这样得到的json数据不易于查看,所有数据都显示在一行上面。如果我们需要格式更加良好的json数据,我们可以如下使用方法:

[html]  view plain copy
  1. >>> import simplejson as json  
  2. >>>  
  3. >>> s = json.dumps({'4': 5, '6': 7}, sort_keys=Trueindent=4)  
  4. >>> s  
  5. '{\n    "4": 5,\n    "6": 7\n}'  
  6. >>> print('\n'.join([l.rstrip() for l in  s.splitlines()]))  
  7. {  
  8.     "4": 5,  
  9.     "6": 7  
  10. }  
  11. >>>  

\n不会影响json本身的数据解析,请放心使用。
解析json格式的字符串:

[python]  view plain copy
  1. obj = [u'foo', {u'bar': [u'baz'None1.02]}]  
  2. json.loads('["foo", {"bar":["baz", null, 1.0, 2]}]') == obj  
  3. True  
  4. json.loads('"\\"foo\\bar"') == u'"foo\x08ar'  
  5. True  
  6. from StringIO import StringIO  
  7. io = StringIO('["streaming API"]')  
  8. json.load(io)[0] == 'streaming API'  
  9. True  

读取并解析json格式文件

[python]  view plain copy
  1. def edit(request):  
  2.     filepath = os.path.join(os.path.dirname(__file__),'rights.json')  
  3.     content = open(filepath).read().decode('utf-8')  
  4.     rights = simplejson.loads(content)  
  5.     print rights  
  6.     print rights[0]['manageTotal']  


json数据格式为:

[python]  view plain copy
  1. [{"manageTotal":"管理"}]  

注意:json不支持单引号

你可能感兴趣的:(python使用json格式进行数据封装)