197

POST 请求中的内容类型和数据类型是什么?假设我有这个:

$.ajax({
    type : "POST",
    url : /v1/user,
    datatype : "application/json",
    contentType: "text/plain",
    success : function() {

    },
    error : function(error) {

    },

contentType我们送的吗?那么我们在上面的例子中发送的是 JSON 而我们接收的是纯文本?我真的不明白。

4

3 回答 3

337

contentType是您要发送的数据的类型,因此application/json; charset=utf-8是常见的,因为是application/x-www-form-urlencoded; charset=UTF-8默认值。

dataType是您期望从服务器返回的内容:jsonhtmltext等。jQuery 将使用它来确定如何填充成功函数的参数。

如果您要发布类似的内容:

{"name":"John Doe"}

并期待回来:

{"success":true}

那么你应该有:

var data = {"name":"John Doe"}
$.ajax({
    dataType : "json",
    contentType: "application/json; charset=utf-8",
    data : JSON.stringify(data),
    success : function(result) {
        alert(result.success); // result is an object which is created from the returned JSON
    },
});

如果您期待以下内容:

<div>SUCCESS!!!</div>

那么你应该这样做:

var data = {"name":"John Doe"}
$.ajax({
    dataType : "html",
    contentType: "application/json; charset=utf-8",
    data : JSON.stringify(data),
    success : function(result) {
        jQuery("#someContainer").html(result); // result is the HTML text
    },
});

还有一个 - 如果你想发布:

name=John&age=34

然后不要stringify数据,然后执行:

var data = {"name":"John", "age": 34}
$.ajax({
    dataType : "html",
    contentType: "application/x-www-form-urlencoded; charset=UTF-8", // this is the default value, so it's optional
    data : data,
    success : function(result) {
        jQuery("#someContainer").html(result); // result is the HTML text
    },
});
于 2013-09-09T15:06:20.797 回答
34

来自 jQuery 文档 - http://api.jquery.com/jQuery.ajax/

contentType向服务器发送数据时,使用此内容类型。

dataType您期望从服务器返回的数据类型。如果没有指定,jQuery 将尝试根据响应的 MIME 类型推断它

“文本”:纯文本字符串。

所以你希望 contentTypeapplication/json和 dataType 是text

$.ajax({
    type : "POST",
    url : /v1/user,
    dataType : "text",
    contentType: "application/json",
    data : dataAttribute,
    success : function() {

    },
    error : function(error) {

    }
});
于 2013-09-09T15:07:01.373 回答
3

请参阅http://api.jquery.com/jQuery.ajax/,那里提到了 datatype 和 contentType 。

它们都用于对服务器的请求,因此服务器知道要接收/发送什么样的数据。

于 2013-09-09T15:06:21.357 回答