Creating a JSON response using Django and Python
我正在尝试将服务器端的Ajax响应脚本转换为django httpresponse,但显然它不起作用。
这是服务器端脚本:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 | /* RECEIVE VALUE */ $validateValue=$_POST['validateValue']; $validateId=$_POST['validateId']; $validateError=$_POST['validateError']; /* RETURN VALUE */ $arrayToJs = array(); $arrayToJs[0] = $validateId; $arrayToJs[1] = $validateError; if($validateValue =="Testuser"){ // Validate?? $arrayToJs[2] ="true"; // RETURN TRUE echo '{"jsonValidateReturn":'.json_encode($arrayToJs).'}'; // RETURN ARRAY WITH success } else{ for($x=0;$x<1000000;$x++){ if($x == 990000){ $arrayToJs[2] ="false"; echo '{"jsonValidateReturn":'.json_encode($arrayToJs).'}'; // RETURNS ARRAY WITH ERROR. } } } |
这是转换后的代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 | def validate_user(request): if request.method == 'POST': vld_value = request.POST.get('validateValue') vld_id = request.POST.get('validateId') vld_error = request.POST.get('validateError') array_to_js = [vld_id, vld_error, False] if vld_value =="TestUser": array_to_js[2] = True x = simplejson.dumps(array_to_js) return HttpResponse(x) else: array_to_js[2] = False x = simplejson.dumps(array_to_js) error = 'Error' return render_to_response('index.html',{'error':error},context_instance=RequestContext(request)) return render_to_response('index.html',context_instance=RequestContext(request)) |
我正在使用simplejson对python列表进行编码(因此它将返回一个json数组)。我还没弄清楚这个问题。但我认为我对"回声"做了些错误的事情。
我通常使用字典,而不是列表来返回JSON内容。
1 2 3 4 5 6 7 | import json from django.http import HttpResponse response_data = {} response_data['result'] = 'error' response_data['message'] = 'Some error message' |
在Django 1.7之前,您可以这样返回:
1 | return HttpResponse(json.dumps(response_data), content_type="application/json") |
对于django 1.7+,使用
1 2 | from django.http import JsonResponse return JsonResponse({'foo':'bar'}) |
Django 1.7新增
您可以使用JSONResponse对象。
来自文档:
1 2 | from django.http import JsonResponse return JsonResponse({'foo':'bar'}) |
我用这个,它很好用。
1 2 3 4 5 6 7 8 9 | from django.utils import simplejson from django.http import HttpResponse def some_view(request): to_json = { "key1":"value1", "key2":"value2" } return HttpResponse(simplejson.dumps(to_json), mimetype='application/json') |
替代方案:
1 2 3 4 5 6 7 8 9 10 11 12 13 | from django.utils import simplejson class JsonResponse(HttpResponse): """ JSON response """ def __init__(self, content, mimetype='application/json', status=None, content_type=None): super(JsonResponse, self).__init__( content=simplejson.dumps(content), mimetype=mimetype, status=status, content_type=content_type, ) |
在django 1.7中,jsonResponse对象已添加到django框架本身,这使得此任务更加容易:
1 2 3 | from django.http import JsonResponse def some_view(request): return JsonResponse({"key":"value"}) |
由于django 1.7,您有一个标准的jsonResponse,这正是您需要的:
1 2 3 | from django.http import JsonResponse ... return JsonResponse(array_to_js, safe=False) |
您甚至不需要json.dump您的数组。
1 2 3 4 5 6 7 8 | from django.http import HttpResponse import json class JsonResponse(HttpResponse): def __init__(self, content={}, mimetype=None, status=None, content_type='application/json'): super(JsonResponse, self).__init__(json.dumps(content), mimetype=mimetype, status=status, content_type=content_type) |
在视图中:
1 2 | resp_data = {'my_key': 'my value',} return JsonResponse(resp_data) |
对于使用django 1.7的用户+
1 2 3 4 5 | from django.http import JsonResponse def your_view(request): json_object = {'key':"value"} return JsonResponse(json_object) |
官方文件
您将希望使用django序列化程序来帮助处理Unicode内容:
1 2 3 4 5 | from django.core import serializers json_serializer = serializers.get_serializer("json")() response = json_serializer.serialize(list, ensure_ascii=False, indent=2, use_natural_keys=True) return HttpResponse(response, mimetype="application/json") |
使用django基于类的视图,您可以编写:
1 2 3 4 5 6 | from django.views import View from django.http import JsonResponse class JsonView(View): def get(self, request): return JsonResponse({'some': 'data'}) |
使用django rest框架,您可以编写:
1 2 3 4 5 6 | from rest_framework.views import APIView from rest_framework.response import Response class JsonView(APIView): def get(self, request): return Response({'some': 'data'}) |
使用django 1.7或更高版本非常方便,因为您有jsonResponse类,它是httpResponse的子类。
1 2 3 4 5 6 7 8 9 | from django.http import JsonResponse def profile(request): data = { 'name': 'Raghav', 'location': 'India', 'is_active': False, 'count': 28 } return JsonResponse(data) |
对于旧版本的Django,必须使用httpResponse对象。
1 2 3 4 5 6 7 8 9 10 11 12 | import json from django.http import HttpResponse def profile(request): data = { 'name': 'Raghav', 'location': 'India', 'is_active': False, 'count': 28 } dump = json.dumps(data) return HttpResponse(dump, content_type='application/json') |
如何在Ajax(JSON)中使用谷歌应用引擎?
用jquery编写javascript代码:
1 2 3 4 5 6 7 8 | $.ajax({ url: '/ajax', dataType : 'json', cache: false, success: function(data) { alert('Load was performed.'+data.ajax_resp); } }); |
代码Python
1 2 3 4 5 6 7 | class Ajax(webapp2.RequestHandler): def get(self): my_response = {'ajax_resp':'Hello, webapp World!'} datos = json.dumps(my_response) self.response.headers.add_header('content-type', 'application/json', charset='utf-8') self.response.out.write(datos) |
Django代码
1 2 3 4 5 | def view(request): if request.method == 'POST': print request.body data = request.body return HttpResponse(json.dumps(data)) |
HTML代码
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 | <!DOCTYPE html> <html> <head> <script src="http://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"> $(document).ready(function(){ $("#mySelect").change(function(){ selected = $("#mySelect option:selected").text() $.ajax({ type: 'POST', dataType: 'json', contentType: 'application/json; charset=utf-8', url: '/view/', data: { 'fruit': selected }, success: function(result) { document.write(result) } }); }); }); </head> <body> <form> {{data}} Select your favorite fruit: <select id="mySelect"> <option value="apple" selected >Select fruit</option> <option value="apple">Apple</option> <option value="orange">Orange</option> <option value="pineapple">Pineapple</option> <option value="banana">Banana</option> </select> </form> </body> </html> |
这是我使用基于类的视图的首选版本。只需子类化基本视图并重写get()-方法。
1 2 3 4 5 6 7 | import json class MyJsonView(View): def get(self, *args, **kwargs): resp = {'my_key': 'my value',} return HttpResponse(json.dumps(resp), mimetype="application/json" ) |
首先导入此:
1 | from django.http import HttpResponse |
如果您已经有了JSON:
1 2 3 | def your_method(request): your_json = [{'key1': value, 'key2': value}] return HttpResponse(your_json, 'application/json') |
如果从另一个HTTP请求获取JSON:
1 2 3 | def your_method(request): response = request.get('https://www.example.com/get/json') return HttpResponse(response, 'application/json') |
在视图中使用此:
1 | form.field.errors|striptags |
用于获取不带HTML的验证消息