我无法将HTTP POST请求正文中的传入JSON数据绑定到我的C#模型。
这是我的前端JavaScript代码:
let jsonData = "{\"Updates\":[{\"CarrierStateMapGuid\":\"de4abaa8-42d2-4e00-657a08d5577ac94a\",\"QuestionTag\":\"CoQstPAVT500006\",\"MemberOf\":\"Quote\",\"Condition\":\"0\",\"QuestionType\":\"List\",\"TrueAnswer\":\"NoDiscount\",\"TrueExplanation\":\"No Discount\",\"FalseAnswer\":null,\"FalseExplanation\":null,\"DeleteRequest\":false}]}";
$.ajax({
url: "/api/CarrierQuestionMappingApi/UpdateQuestionMaps",
type: "POST",
contentType: "application/json; charset=utf-8",
data: jsonData
});
这是我的C#模型:
public class UpdateCarrierQuestionMapsWebRequests
{
public UpdateCarrierQuestionMapsWebRequest[] Updates { get; set; }
public class UpdateCarrierQuestionMapsWebRequest
{
public string CarrierStateMapGuid { get; set; }
public string QuestionTag { get; set; }
public string MemberOf { get; set; }
public string Condition { get; set; }
public string QuestionType { get; set; }
public string TrueAnswer { get; set; }
public string TrueExplanation { get; set; }
public string FalseAnswer { get; set; }
public string FalseExplanation { get; set; }
public bool DeleteRequest { get; set; }
}
}
这是我的后端C#控制器代码:
[HttpPost]
[Route("api/[controller]/UpdateQuestionMaps")]
public HttpResponseMessage UpdateQuestionMaps(UpdateCarrierQuestionMapsWebRequests request)
{
// request.Updates is null
}
我无法弄清楚为什么request.Updates为null并且没有被模型绑定器设置。
答案 0 :(得分:3)
问题与AJAX和ASP.NET MVC有关。 MVC不喜欢AJAX的任何序列化。当您传递AJAX一个对象时,它会手动序列化它,MVC希望以AJAX序列化的方式对其进行反序列化。所以任何手动序列化都会破坏这个过程。在上面的方法中,您最终会得到一个编码的字符串。但是,如果您将AJAX调用更改为:
let jsonData = "[{\"CarrierStateMapGuid\":\"de4abaa8-42d2-4e00-657a08d5577ac94a\",\"QuestionTag\":\"CoQstPAVT500006\",\"MemberOf\":\"Quote\",\"Condition\":\"0\",\"QuestionType\":\"List\",\"TrueAnswer\":\"NoDiscount\",\"TrueExplanation\":\"No Discount\",\"FalseAnswer\":null,\"FalseExplanation\":null,\"DeleteRequest\":false}]";
$.ajax({
url: "/api/CarrierQuestionMappingApi/UpdateQuestionMaps",
type: "POST",
contentType: "application/json; charset=utf-8",
data: {
Updates: jsonData
}
});
数据将作为表单数据发送,并在控制器上正确序列化。
答案 1 :(得分:0)
你可以做几个调整。首先,您可以使用List<T>
而不是数组,然后在无参数构造函数中实例化它:
public class UpdateCarrierQuestionMapsWebRequests
{
public List<UpdateCarrierQuestionMapsWebRequest> Updates { get; set; }
public UpdateCarrierQuestionMapsWebRequests()
{
Updates = new List<UpdateCarrierQuestionMapsWebRequest>();
}
public class UpdateCarrierQuestionMapsWebRequest
{
public string CarrierStateMapGuid { get; set; }
public string QuestionTag { get; set; }
public string MemberOf { get; set; }
public string Condition { get; set; }
public string QuestionType { get; set; }
public string TrueAnswer { get; set; }
public string TrueExplanation { get; set; }
public string FalseAnswer { get; set; }
public string FalseExplanation { get; set; }
public bool DeleteRequest { get; set; }
}
}
并在发送请求之前在您的视图中,您可以将您的json字符串化,如:
data: JSON.stringify(jsonData)
希望它会有所帮助!