2

我正在尝试创建一个 ajax 调用。ajax 调用被发送到服务器,但是我发送的数据在视图的请求对象中不可用。当我打印request.post时,它给出了<QueryDict: {}>. 没有数据发送到服务器。我知道浏览器正在发送数据,因为我可以在 chrome 的请求有效负载中查看它。

脚本:

$("#chatform").submit(function(e) {
    e.preventDefault();
    //serialText = $(this).serialize();
    var userText = $("#usertext").val();
    var xmlRequest = $.ajax({
            type: "POST",
            url: "/sendmessage/",
            data: {'tosend': userText},

            //dataType: 'json',
            contentType: "application/json; charset=utf-8",
            success: function(data){
                appendMessageSent(data.messagesent);
            }
    });
});

视图.py:

def send_message(request):
    if request.is_ajax():
        message = "The hell with the world"

        print request.POST
        json = simplejson.dumps(
            {'messagesent' : request.POST['tosend']+"This is how we do it"}
        )
        return HttpResponse(json, mimetype='application/javascript')

html

<form id="chatform" action="" method="POST" >
        <input type='hidden' name='csrfmiddlewaretoken' value='8idtqZb4Ovy6eshUtrAiYwtUBboW0PpZ' />
        <input type="text" name="chatarea" id="usertext"/>
        <input type="submit" value="Send">
</form>

我收到一条错误消息,说在dicttosend中找不到密钥。request.post

MultiValueDictKeyError: "Key 'tosend' not found in <QueryDict: {}>

谁能告诉我为什么没有将数据发送到服务器和/或为什么我无法在我的视图中访问它?

4

1 回答 1

7

要使表单数据出现在其中request.POST,请使用contentType: "application/x-www-form-urlencoded".

如果使用application/json,则必须自己解析原始数据(request.raw_post_data在 django <1.4 中,request.body在 django >=1.4 中):

def send_message(request):
    if request.is_ajax():
        message = "The hell with the world"

        data = json.loads(request.body)
        result = json.dumps({'messagesent' : data['tosend'] + "This is how we do it"})
        return HttpResponse(result, mimetype='application/javascript')
于 2013-03-05T17:49:45.400 回答