这是服务器端脚本:
/* 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.
}
}
}
这是转换后的代码
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数组)。我还不能解决问题。但是我认为我对“回声”做错了。
#1 楼
我通常使用字典,而不是列表来返回JSON内容。import json
from django.http import HttpResponse
response_data = {}
response_data['result'] = 'error'
response_data['message'] = 'Some error message'
在Django 1.7之前,您应该这样返回:
return HttpResponse(json.dumps(response_data), content_type="application/json")
对于Django 1.7+ ,请按照此SO答案所示使用
JsonResponse
,如下所示:from django.http import JsonResponse
return JsonResponse({'foo':'bar'})
评论
是模仿类型,而不是使他陷入困境的清单。虽然大多数JSON通常在顶层是一个对象(“字典”),但JSON对顶层的数组非常满意。
–Thanatos
2012年6月20日在21:39
抱歉,我写的内容不清楚,但我只是说我要使用字典,因为将其序列化为JSON时,它更干净/更容易。
–汤姆
2012年6月21日15:17
较旧版本的IE不正确支持“ application / json”。这是关于问题的一些讨论github.com/blueimp/jQuery-File-Upload/issues/123
–胜利
2014年4月25日在22:05
#2 楼
django 1.7中的新功能您可以使用JsonResponse对象。
来自文档:
from django.http import JsonResponse
return JsonResponse({'foo':'bar'})
评论
缺点:它默认为sure_ascii,我还没有找到一种方法来覆盖它。为此,创建了一个新问题:stackoverflow.com/q/34798703/854477
– int_ua
16年1月14日在20:07
@int_ua:只需添加json_dumps_params = {“ ensure_ascii”:False}(需要Django 1.9或更高版本)
–马丁·彼得斯(Martijn Pieters)♦
19年11月9日在16:18
#3 楼
我使用它,它工作正常。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')
替代方法:
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框架本身,这使此任务更加容易:
from django.http import JsonResponse
def some_view(request):
return JsonResponse({"key": "value"})
评论
问题是这里没有从输入字段中获取值vld_value = request.POST.get('validateValue')
–开关
2010年3月11日20:11在
使用python 2.7时,它应该只是“ import json”
–卡伦蓬松的詹宁斯
2012年9月6日在22:22
我认为从django.utils导入simplejson是为了向后兼容。
– Skylar Saveland
13年2月10日在5:29
JsonResponse(状态= 404,数据= {'状态':'假','消息':消息})
– Belter
2017年9月8日14:28在
#4 楼
从Django 1.7开始,您就拥有了所需的标准JsonResponse:from django.http import JsonResponse
...
return JsonResponse(array_to_js, safe=False)
您甚至不需要json.dump您的数组。
#5 楼
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)
在视图中:
resp_data = {'my_key': 'my value',}
return JsonResponse(resp_data)
#6 楼
对于使用Django 1.7+的用户from django.http import JsonResponse
def your_view(request):
json_object = {'key': "value"}
return JsonResponse(json_object)
官方文档
#7 楼
您将需要使用django序列化程序来帮助处理unicode内容: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 QuerySet。
– patroqueeet
2012-12-29 13:25
#8 楼
使用基于Django类的视图,您可以编写: from django.views import View
from django.http import JsonResponse
class JsonView(View):
def get(self, request):
return JsonResponse({'some': 'data'})
以及Django-Rest-您可以编写的框架:
from rest_framework.views import APIView
from rest_framework.response import Response
class JsonView(APIView):
def get(self, request):
return Response({'some': 'data'})
#9 楼
对于Django 1.7或更高版本,使用JsonResponse类(它是HttpResponse的子类)非常方便。from django.http import JsonResponse
def profile(request):
data = {
'name': 'Raghav',
'location': 'India',
'is_active': False,
'count': 28
}
return JsonResponse(data)
对于较早版本的Django,您必须使用HttpResponse对象。
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')
#10 楼
如何将Google App引擎与Ajax(json)结合使用?带有JQuery的代码Javascript:
$.ajax({
url: '/ajax',
dataType : 'json',
cache: false,
success: function(data) {
alert('Load was performed.'+data.ajax_resp);
}
});
Code Python
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)
#11 楼
首先导入以下内容:from django.http import HttpResponse
如果已经有了JSON:
def your_method(request):
your_json = [{'key1': value, 'key2': value}]
return HttpResponse(your_json, 'application/json')
如果获得JSON来自另一个HTTP请求:
def your_method(request):
response = request.get('https://www.example.com/get/json')
return HttpResponse(response, 'application/json')
#12 楼
这是我使用基于类的视图的首选版本。只需将基本View子类化并覆盖get()方法。
import json
class MyJsonView(View):
def get(self, *args, **kwargs):
resp = {'my_key': 'my value',}
return HttpResponse(json.dumps(resp), mimetype="application/json" )
#13 楼
Django代码views.py
:def view(request):
if request.method == 'POST':
print request.body
data = request.body
return HttpResponse(json.dumps(data))
HTML代码
view.html
:<!DOCTYPE html>
<html>
<head>
<script src="http://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>
<script>
$(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)
}
});
});
});
</script>
</head>
<body>
<form>
{{data}}
<br>
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>
#14 楼
在View中使用以下代码:form.field.errors|striptags
用于获取没有html的验证消息
#15 楼
使用JsonResponsefrom django.http import JsonResponse
评论
这个答案需要上下文和解释。
–TheUtherSide
1月27日21:06
#16 楼
这些答案大多数都是过时的。不建议使用JsonResponse,因为它会转义字符,这通常是不希望的。这是我使用的方法:views.py(返回HTML)
from django.shortcuts import render
from django.core import serializers
def your_view(request):
data = serializers.serialize('json', YourModel.objects.all())
context = {"data":data}
return render(request, "your_view.html", context)
from django.core import serializers
from django.http import HttpResponse
def your_view(request):
data = serializers.serialize('json', YourModel.objects.all())
return HttpResponse(data, content_type='application/json')
Vue用户的奖励
如果您要将Django Queryset引入Vue,可以执行以下操作。
<div id="dataJson" style="display:none">
{{ data }}
</div>
<script>
let dataParsed = JSON.parse(document.getElementById('dataJson').textContent);
var app = new Vue({
el: '#app',
data: {
yourVariable: dataParsed,
},
})
</script>
评论
您还可以使用django-annoying视图装饰器@ajax_request。