受信したJSON/AjaxリクエストをDjango/Pythonで処理しようとしています。
request.is_ajax()
はリクエストのTrue
ですが、ペイロードがJSONデータのどこにあるのかわかりません。
request.POST.dir
には次が含まれます。
['__class__', '__cmp__', '__contains__', '__copy__', '__deepcopy__', '__delattr__',
'__delitem__', '__dict__', '__doc__', '__eq__', '__ge__', '__getattribute__',
'__getitem__', '__gt__', '__hash__', '__init__', '__iter__', '__le__', '__len__',
'__lt__', '__module__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__',
'__setattr__', '__setitem__', '__str__', '__weakref__', '_assert_mutable', '_encoding',
'_get_encoding', '_mutable', '_set_encoding', 'appendlist', 'clear', 'copy', 'encoding',
'fromkeys', 'get', 'getlist', 'has_key', 'items', 'iteritems', 'iterkeys', 'itervalues',
'keys', 'lists', 'pop', 'popitem', 'setdefault', 'setlist', 'setlistdefault', 'update',
'urlencode', 'values']
リクエスト投稿キーには明らかにキーがありません。
Firebug のPOSTを見ると、リクエストでJSONデータが送信されています。
JSONをDjangoに投稿する場合、request.body
(Django <1.4のrequest.raw_post_data
)が必要だと思います。これにより、投稿を介して送信された生のJSONデータが得られます。そこからさらに処理できます。
JavaScript、 jQuery 、jquery-json、およびDjangoを使用した例を次に示します。
JavaScript:
var myEvent = {id: calEvent.id, start: calEvent.start, end: calEvent.end,
allDay: calEvent.allDay };
$.ajax({
url: '/event/save-json/',
type: 'POST',
contentType: 'application/json; charset=utf-8',
data: $.toJSON(myEvent),
dataType: 'text',
success: function(result) {
alert(result.Result);
}
});
ジャンゴ:
def save_events_json(request):
if request.is_ajax():
if request.method == 'POST':
print 'Raw Data: "%s"' % request.body
return HttpResponse("OK")
Django <1.4:
def save_events_json(request):
if request.is_ajax():
if request.method == 'POST':
print 'Raw Data: "%s"' % request.raw_post_data
return HttpResponse("OK")
同じ問題がありました。複雑なJSON応答を投稿していたので、request.POST辞書を使用してデータを読み取ることができませんでした。
私のJSON POSTデータは:
//JavaScript code:
//Requires json2.js and jQuery.
var response = {data:[{"a":1, "b":2},{"a":2, "b":2}]}
json_response = JSON.stringify(response); // proper serialization method, read
// http://ejohn.org/blog/ecmascript-5-strict-mode-json-and-more/
$.post('url',json_response);
この場合、aurealusが提供するメソッドを使用する必要があります。 request.bodyを読み取り、json stdlibで逆シリアル化します。
#Django code:
import json
def save_data(request):
if request.method == 'POST':
json_data = json.loads(request.body) # request.raw_post_data w/ Django < 1.4
try:
data = json_data['data']
except KeyError:
HttpResponseServerError("Malformed data!")
HttpResponse("Got json data")
方法1
クライアント:JSON
として送信
$.ajax({
url: 'example.com/ajax/',
type: 'POST',
contentType: 'application/json; charset=utf-8',
processData: false,
data: JSON.stringify({'name':'John', 'age': 42}),
...
});
//Sent as a JSON object {'name':'John', 'age': 42}
サーバー:
data = json.loads(request.body) # {'name':'John', 'age': 42}
方法2
クライアント:x-www-form-urlencoded
として送信
(注:contentType
&processData
は変更されています。JSON.stringify
は不要です)
$.ajax({
url: 'example.com/ajax/',
type: 'POST',
data: {'name':'John', 'age': 42},
contentType: 'application/x-www-form-urlencoded; charset=utf-8', //Default
processData: true,
});
//Sent as a query string name=John&age=42
サーバー:
data = request.POST # will be <QueryDict: {u'name':u'John', u'age': 42}>
1.5以降で変更: https://docs.djangoproject.com/en/dev/releases/1.5/#non-form-data-in-http-requests
HTTPリクエストの非形式データ:
request.POSTには、ヘッダーにフォーム固有でないコンテンツタイプを持つHTTPリクエストを介して投稿されたデータが含まれなくなりました。以前のバージョンでは、multipart/form-dataまたはapplication/x-www-form-urlencoded以外のコンテンツタイプで投稿されたデータは、依然としてrequest.POST属性で表されていました。これらのケースで生のPOSTデータにアクセスしたい開発者は、代わりにrequest.body属性を使用する必要があります。
おそらく関連している
request.raw_response
は廃止されました。代わりにrequest.body
を使用して、XMLペイロード、バイナリイメージなどの従来とは異なるフォームデータを処理します。
覚えておくことが重要なのは、Python 3には文字列を表す別の方法があります-それらはバイト配列です。
Django 1.9およびPython 2.7を使用し、JSONデータをヘッダー(ヘッダーではなく)で送信すると、次のようなものが使用されます。
mydata = json.loads(request.body)
ただし、Django 1.9およびPython 3.4の場合は、次を使用します。
mydata = json.loads(request.body.decode("utf-8"))
最初にPy3 Djangoアプリを作成して、この学習曲線をたどりました。
Django 1.6 python 3.3
クライアント
$.ajax({
url: '/urll/',
type: 'POST',
contentType: 'application/json; charset=utf-8',
data: JSON.stringify(json_object),
dataType: 'json',
success: function(result) {
alert(result.Result);
}
});
サーバ
def urll(request):
if request.is_ajax():
if request.method == 'POST':
print ('Raw Data:', request.body)
print ('type(request.body):', type(request.body)) # this type is bytes
print(json.loads(request.body.decode("utf-8")))
request.raw_post_data
は廃止されました。代わりにrequest.body
を使用してください
HTTP POSTペイロードは、単なる一群のバイトです。 Django(ほとんどのフレームワークと同様)は、URLエンコードされたパラメーターまたはMIMEマルチパートエンコードのいずれかから辞書にデコードします。 JSONデータをPOSTコンテンツにダンプするだけの場合、Djangoはそれをデコードしません。完全なPOSTコンテンツ(辞書ではない)からJSONデコードを行うか、または、JSONデータをMIMEマルチパートラッパーに入れます。
要するに、JavaScriptコードを表示します。問題があるようです。
このようなもの。うまくいった:クライアントからデータをリクエストする
registerData = {
{% for field in userFields%}
{{ field.name }}: {{ field.name }},
{% endfor %}
}
var request = $.ajax({
url: "{% url 'MainApp:rq-create-account-json' %}",
method: "POST",
async: false,
contentType: "application/json; charset=utf-8",
data: JSON.stringify(registerData),
dataType: "json"
});
request.done(function (msg) {
[alert(msg);]
alert(msg.name);
});
request.fail(function (jqXHR, status) {
alert(status);
});
サーバーでリクエストを処理する
@csrf_exempt
def rq_create_account_json(request):
if request.is_ajax():
if request.method == 'POST':
json_data = json.loads(request.body)
print(json_data)
return JsonResponse(json_data)
return HttpResponse("Error")
html code
file name : 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>
<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>
Django code:
Inside views.py
def view(request):
if request.method == 'POST':
print request.body
data = request.body
return HttpResponse(json.dumps(data))