Django 및 Python을 사용하여 JSON 응답 생성
서버측 Ajax 응답 스크립트를 Django HttpResponse로 변환하려고 합니다만, 동작하지 않는 것 같습니다.
서버측 스크립트는 다음과 같습니다.
/* 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))
Python 목록을 인코딩하기 위해 simplejson을 사용하고 있습니다(JSON 배열이 반환됩니다).나는 아직 그 문제를 알아낼 수 없었다.하지만 나는 '에코'에 대해 뭔가 잘못했다고 생각한다.
저는 보통 JSON 콘텐츠를 반환할 때 목록이 아닌 사전을 사용합니다.
import json
from django.http import HttpResponse
response_data = {}
response_data['result'] = 'error'
response_data['message'] = 'Some error message'
장고 1.7 이전 버전에서는 다음과 같이 반환할 수 있습니다.
return HttpResponse(json.dumps(response_data), content_type="application/json")
Django 1.7+의 경우 다음 SO 답변에 표시된 대로 사용합니다.
from django.http import JsonResponse
return JsonResponse({'foo':'bar'})
장고 1.7 신기능
JsonResponse 객체를 사용할 수 있습니다.
다음 문서를 참조해 주세요.
from django.http import JsonResponse
return JsonResponse({'foo':'bar'})
이걸 쓰면 잘 작동해요.
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"})
Django 1.7은 표준 Json Response를 탑재하고 있기 때문에 필요한 것은 다음과 같습니다.
from django.http import JsonResponse
...
return JsonResponse(array_to_js, safe=False)
어레이를 json.dump할 필요도 없습니다.
Django 클래스 기반 뷰를 사용하여 다음을 작성할 수 있습니다.
from django.views import View
from django.http import JsonResponse
class JsonView(View):
def get(self, request):
return JsonResponse({'some': 'data'})
Django-Rest-Framework를 사용하면 다음과 같이 쓸 수 있습니다.
from rest_framework.views import APIView
from rest_framework.response import Response
class JsonView(APIView):
def get(self, request):
return Response({'some': 'data'})
장고 1.7+ 사용하시는 분
from django.http import JsonResponse
def your_view(request):
json_object = {'key': "value"}
return JsonResponse(json_object)
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)
django serializer를 사용하여 유니코드 작업을 지원합니다.
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")
HttpResponse의 하위 클래스인 JsonResponse 클래스가 있기 때문에 Django 버전 1.7 이상에서 매우 편리합니다.
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')
JQuery를 사용한 코드 Javascript:
$.ajax({
url: '/ajax',
dataType : 'json',
cache: false,
success: function(data) {
alert('Load was performed.'+data.ajax_resp);
}
});
코드 파이썬
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)
첫 번째 Import:
from django.http import HttpResponse
JSON이 이미 있는 경우:
def your_method(request):
your_json = [{'key1': value, 'key2': value}]
return HttpResponse(your_json, 'application/json')
다른 HTTP 요청에서 JSON을 얻은 경우:
def your_method(request):
response = request.get('https://www.example.com/get/json')
return HttpResponse(response, 'application/json')
클래스 기반 뷰를 사용하여 선호하는 버전입니다.기본 뷰를 서브클래스하고 get()-method를 덮어씁니다.
import json
class MyJsonView(View):
def get(self, *args, **kwargs):
resp = {'my_key': 'my value',}
return HttpResponse(json.dumps(resp), mimetype="application/json" )
장고코드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>
이 답변들 중 대부분은 구식입니다.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)
views.py (JSON 포함)
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로 가져오려면 다음을 수행합니다.
template.template.displate
<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>
보기에서 다음을 사용합니다.
form.field.errors|striptags
html을 사용하지 않고 확인 메시지를 받기 위해
def your_view(request):
response = {'key': "value"}
return JsonResponse(json.dumps(response), content_type="application/json",safe=False)
#content_type을 지정하여 json.dump() son을 개체로 전송하지 않는 콘텐츠로 사용합니다.
이렇게 하면 json 콘텐츠를 특정 파일 이름을 가진 파일로 다운로드할 수 있습니다.
import json
from django.http import HttpResponse
def download_json(request):
data = {'some': 'information'}
# serialize data obj as a JSON stream
data = json.dumps(data)
response = HttpResponse(data, content_type='application/json charset=utf-8')
# add filename to response
response['Content-Disposition'] = 'attachment; filename="filename.json"'
return response
언급URL : https://stackoverflow.com/questions/2428092/creating-a-json-response-using-django-and-python
'programing' 카테고리의 다른 글
로컬 호스트 PHPmyAdmin에 저장 프로시저를 만들고 있는데 찾을 수 없는 오류가 있습니다. (0) | 2022.11.06 |
---|---|
HTML5 캔버스와SVG와 div (0) | 2022.11.06 |
팬더 데이터 프레임에 목록 가져오기 (0) | 2022.11.06 |
경로가 변경될 때마다 Vuex Getters 중복 키 (0) | 2022.11.06 |
인식할 수 없는 문 유형입니다.(위치 0의 "WITD" 근처) (0) | 2022.11.06 |