python中json的序列化與反序列化有不少庫,具體選擇使用哪個,或者哪個速度更快呢?python
先上結果git
json序列化與反序列化速度對比(按總時間排序:測試數據100 * 10000) ujson 序列化: 2.084 反序列化: 1.157 總時間: 3.241 yajl 序列化: 1.910 反序列化: 1.970 總時間: 3.880 cjson 序列化: 3.305 反序列化: 1.328 總時間: 4.632 simplejson 序列化: 10.279 反序列化: 4.658 總時間: 14.937 stdlib json 序列化: 7.013 反序列化: 8.594 總時間: 15.607
其中,除了stdlib json也就是內置的json.dumps外,其餘都是第三方包。數據量較少時,速度幾乎沒有區別,無所謂選擇哪個。數據量大的狀況下,ujson的整體表現最好,但序列化不如yajlgithub
而django中,若是隻是response一個json對象,能夠直接使用JsonResonsedjango
用法爲:json
>>> from django.http import JsonResponse >>> response = JsonResponse({'foo': 'bar'}) >>> response.content '{"foo": "bar"}'
默認採用內置方式進json格式化後返回。若是數據很少,着實方便(django1.7引入)app
測試代碼測試
來自rtyler,在其基礎上新增了ujsoncode
import time import pickle import yajl try: import cjson except ImportError: cjson = None try: import simplejson except ImportError: simplejson = None try: import ujson except ImportError: ujson = None try: import json except ImportError: json = None default_data = { "name": "Foo", "type": "Bar", "count": 1, "info": { "x": 203, "y": 102, }, } def ttt(f, data=None, x=100 * 10000): start = time.time() while x: x -= 1 foo = f(data) return time.time() - start def profile(serial, deserial, data=None, x=100 * 10000): if not data: data = default_data squashed = serial(data) return (ttt(serial, data, x), ttt(deserial, squashed, x)) def test(serial, deserial, data=None): if not data: data = default_data assert deserial(serial(data)) == data contenders = [ ('yajl', (yajl.Encoder().encode, yajl.Decoder().decode)), ] if cjson: contenders.append(('cjson', (cjson.encode, cjson.decode))) if simplejson: contenders.append(('simplejson', (simplejson.dumps, simplejson.loads))) if json: contenders.append(('stdlib json', (json.dumps, json.loads))) if ujson: contenders.append(('ujson', (ujson.dumps, ujson.loads))) for name, args in contenders: test(*args) x, y = profile(*args) print("%-11s serialize: %0.3f deserialize: %0.3f total: %0.3f" % ( name, x, y, x + y))