En ce moment, je ne fais que ça:
self.response.headers ['Content-Type'] = 'application/json' self.response.out.write ('{"success": "une var", "payload": "une var"}' )
Y a-t-il une meilleure façon de le faire en utilisant une bibliothèque?
Oui, vous devriez utiliser la bibliothèque json
qui est supportée dans Python 2.7:
import json
self.response.headers['Content-Type'] = 'application/json'
obj = {
'success': 'some var',
'payload': 'some var',
}
self.response.out.write(json.dumps(obj))
webapp2
a un wrapper pratique pour le module json: il utilisera simplejson si disponible, ou le module json de Python> = 2.6 si disponible, et comme dernière ressource le module Django.utils.simplejson sur App Engine.
http://webapp2.readthedocs.io/en/latest/api/webapp2_extras/json.html
from webapp2_extras import json
self.response.content_type = 'application/json'
obj = {
'success': 'some var',
'payload': 'some var',
}
self.response.write(json.encode(obj))
python a lui-même un module json , qui s'assurera que votre JSON est correctement formaté. Le JSON manuscrit est plus sujet aux erreurs.
import json
self.response.headers['Content-Type'] = 'application/json'
json.dump({"success":somevar,"payload":someothervar},self.response.out)
J'utilise habituellement comme ceci:
class JsonEncoder(json.JSONEncoder):
def default(self, obj):
if isinstance(obj, datetime):
return obj.isoformat()
Elif isinstance(obj, ndb.Key):
return obj.urlsafe()
return json.JSONEncoder.default(self, obj)
class BaseRequestHandler(webapp2.RequestHandler):
def json_response(self, data, status=200):
self.response.headers['Content-Type'] = 'application/json'
self.response.status_int = status
self.response.write(json.dumps(data, cls=JsonEncoder))
class APIHandler(BaseRequestHandler):
def get_product(self):
product = Product.get(id=1)
if product:
jpro = product.to_dict()
self.json_response(jpro)
else:
self.json_response({'msg': 'product not found'}, status=404)
import json
import webapp2
def jsonify(**kwargs):
response = webapp2.Response(content_type="application/json")
json.dump(kwargs, response.out)
return response
Chaque endroit où vous voulez retourner une réponse json ...
return jsonify(arg1='val1', arg2='val2')
ou
return jsonify({ 'arg1': 'val1', 'arg2': 'val2' })