ASP.NET MVC4 Web API应用程序定义了保存客户的post方法。 客户在POST请求正文中以json格式传递。 post方法中的customer参数包含属性的空值。
如何解决此问题,以便将发布的数据作为客户对象传递?
如果可能的话,应该使用Content-Type:application / x-www-form-urlencoded,因为我不知道如何在发布表单的javascript方法中更改它。
控制器:
public class CustomersController : ApiController {
public object Post([FromBody] Customer customer)
{
return Request.CreateResponse(HttpStatusCode.OK,
new
{
customer = customer
});
}
}
}
public class Customer
{
public string company_name { get; set; }
public string contact_name { get; set; }
}
请求:
POST http://localhost:52216/api/customers HTTP/1.1
Accept: application/json, text/javascript, */*; q=0.01
X-Requested-With: XMLHttpRequest
Content-Type: application/x-www-form-urlencoded; charset=UTF-8
{"contact_name":"sdfsd","company_name":"ssssd"}
答案 0 :(得分:496)
编辑:2017年10月31日
相同的代码/方法也适用于 Asp.Net Core 2.0 。主要区别在于,在asp.net核心中,web api控制器和Mvc控制器都合并到单个控制器模型中。因此,您的返回类型可能是IActionResult
或其中一个实现(例如:OkObjectResult
)
使用
contentType:"application/json"
发送时需要使用JSON.stringify
方法将其转换为JSON字符串,
模型绑定器会将json数据绑定到类对象。
以下代码可以正常使用(已测试)
$(function () {
var customer = {contact_name :"Scott",company_name:"HP"};
$.ajax({
type: "POST",
data :JSON.stringify(customer),
url: "api/Customer",
contentType: "application/json"
});
});
<强>结果强>
contentType
属性告诉服务器我们正在以JSON格式发送数据。由于我们发送了JSON数据结构,因此模型绑定将正确发生。
如果您检查ajax请求的标头,则可以看到Content-Type
值设置为application/json
。
如果您没有明确指定contentType,它将使用默认内容类型application/x-www-form-urlencoded;
于2015年11月编辑,以解决评论中提出的其他可能问题
假设您有一个复杂的视图模型类作为您的web api操作方法参数,如此
public class CreateUserViewModel
{
public int Id {set;get;}
public string Name {set;get;}
public List<TagViewModel> Tags {set;get;}
}
public class TagViewModel
{
public int Id {set;get;}
public string Code {set;get;}
}
您的网络API终结点就像
public class ProductController : Controller
{
[HttpPost]
public CreateUserViewMode Save([FromBody] CreateUserViewModel m)
{
// I am just returning the posted model as it is.
// You may do other stuff and return different response.
// Ex : missileService.LaunchMissile(m);
return m;
}
}
在撰写本文时,ASP.NET MVC 6是最新的稳定版本,在MVC6中,Web api控制器和MVC控制器都继承自Microsoft.AspNet.Mvc.Controller
基类。 < / p>
要从客户端向方法发送数据,以下代码应该可以正常工作
//Build an object which matches the structure of our view model class
var model = {
Name: "Shyju",
Id: 123,
Tags: [{ Id: 12, Code: "C" }, { Id: 33, Code: "Swift" }]
};
$.ajax({
type: "POST",
data: JSON.stringify(model),
url: "../product/save",
contentType: "application/json"
}).done(function(res) {
console.log('res', res);
// Do something with the result :)
});
如果不使用[FromBody]
属性
[HttpPost]
public CreateUserViewModel Save(CreateUserViewModel m)
{
return m;
}
在不指定contentType属性值的情况下发送模型(原始javascript对象,而不是JSON格式)
$.ajax({
type: "POST",
data: model,
url: "../product/save"
}).done(function (res) {
console.log('res', res);
});
模型绑定适用于模型上的平面属性,而不适用于类型复杂/其他类型的属性。在我们的示例中,Id
和Name
属性将正确绑定到参数m
,但Tags
属性将是一个空列表。
如果您使用的短版本$.post
在发送请求时将使用默认的Content-Type,则会出现同样的问题。
$.post("../product/save", model, function (res) {
//res contains the markup returned by the partial view
console.log('res', res);
});
答案 1 :(得分:66)
在webapi中使用POST可能很棘手! 想补充已经正确的答案..
专注于POST,因为处理GET是微不足道的。我不认为很多人会用webapis解决GET问题。不管怎么说..
如果您的问题是 - 在MVC Web Api中,如何 - 使用除通用HTTP谓词之外的自定义操作方法名称? - 执行多个帖子? - 发布多个简单类型? - 通过jQuery发布复杂类型?
然后以下解决方案可能有所帮助:
首先,要在Web API中使用自定义操作方法,请添加以下网址:
public static void Register(HttpConfiguration config)
{
config.Routes.MapHttpRoute(
name: "ActionApi",
routeTemplate: "api/{controller}/{action}");
}
然后你可以创建像:
这样的动作方法[HttpPost]
public string TestMethod([FromBody]string value)
{
return "Hello from http post web api controller: " + value;
}
现在,从浏览器控制台激发以下jQuery
$.ajax({
type: 'POST',
url: 'http://localhost:33649/api/TestApi/TestMethod',
data: {'':'hello'},
contentType: 'application/x-www-form-urlencoded',
dataType: 'json',
success: function(data){ console.log(data) }
});
其次,要执行多个帖子,这很简单,创建多个动作方法并使用[HttpPost] attrib进行装饰。使用[ActionName(“MyAction”)]分配自定义名称等。将在下面的第四点来到jQuery
第三,首先,无法在单个操作中发布多个 SIMPLE 类型。 此外,还有特殊格式来发布单一简单类型(除了在查询字符串或REST样式中传递参数)。 这就是让我与Rest Clients(如Fiddler和Chrome的高级REST客户端扩展)一起敲打头脑并在网上狩猎近5个小时的时间点,最终,以下网址被证明是有帮助的。引用该链接的相关内容可能会变死!
Content-Type: application/x-www-form-urlencoded
in the request header and add a = before the JSON statement:
={"Name":"Turbo Tina","Email":"na@Turbo.Tina"}
PS:注意到特有的语法?
http://forums.asp.net/t/1883467.aspx?The+received+value+is+null+when+I+try+to+Post+to+my+Web+Api
无论如何,让我们克服那个故事。继续:
第四,通过jQuery,ofcourse,$ .ajax()发布复杂类型将立即发挥作用:
我们假设action方法接受一个具有id和name的Person对象。所以,从javascript:
var person = { PersonId:1, Name:"James" }
$.ajax({
type: 'POST',
url: 'http://mydomain/api/TestApi/TestMethod',
data: JSON.stringify(person),
contentType: 'application/json; charset=utf-8',
dataType: 'json',
success: function(data){ console.log(data) }
});
行动将如下:
[HttpPost]
public string TestMethod(Person person)
{
return "Hello from http post web api controller: " + person.Name;
}
以上所有,为我工作!!干杯!
答案 2 :(得分:10)
我一直在玩这个并发现了一个相当奇怪的结果。假设您在C#中拥有公共属性,如下所示:
public class Customer
{
public string contact_name;
public string company_name;
}
然后你必须按照Shyju的建议做JSON.stringify技巧并将其称为:
var customer = {contact_name :"Scott",company_name:"HP"};
$.ajax({
type: "POST",
data :JSON.stringify(customer),
url: "api/Customer",
contentType: "application/json"
});
但是,如果您在类上定义getter和setter,请执行以下操作:
public class Customer
{
public string contact_name { get; set; }
public string company_name { get; set; }
}
然后你可以更简单地调用它:
$.ajax({
type: "POST",
data :customer,
url: "api/Customer"
});
这使用HTTP标头:
Content-Type:application/x-www-form-urlencoded
我不太确定这里发生了什么,但它看起来像框架中的一个错误(功能?)。据推测,不同的绑定方法调用不同的&#34;适配器&#34;,而application / json的适配器适用于公共属性,表单编码数据的适配器不适用。
我不知道哪个被认为是最佳做法。
答案 3 :(得分:1)
使用 JSON.stringify()获取JSON格式的字符串,确保在进行AJAX调用时传递下面提到的属性:
下面是给jQuery的代码,以便对asp.net web api进行ajax调用:
var product =
JSON.stringify({
productGroup: "Fablet",
productId: 1,
productName: "Lumia 1525 64 GB",
sellingPrice: 700
});
$.ajax({
URL: 'http://localhost/api/Products',
type: 'POST',
contentType: 'application/json',
dataType: 'json',
data: product,
success: function (data, status, xhr) {
alert('Success!');
},
error: function (xhr, status, error) {
alert('Update Error occurred - ' + error);
}
});
答案 4 :(得分:0)
确保您的WebAPI服务期望一个强类型对象,其结构与您传递的JSON相匹配。并确保您对要发布的JSON进行字符串化。
这是我的JavaScript(使用AngluarJS):
$scope.updateUserActivity = function (_objuserActivity) {
$http
({
method: 'post',
url: 'your url here',
headers: { 'Content-Type': 'application/json'},
data: JSON.stringify(_objuserActivity)
})
.then(function (response)
{
alert("success");
})
.catch(function (response)
{
alert("failure");
})
.finally(function ()
{
});
这是我的WebAPI控制器:
[HttpPost]
[AcceptVerbs("POST")]
public string POSTMe([FromBody]Models.UserActivity _activity)
{
return "hello";
}
答案 5 :(得分:0)
以下代码以json格式返回数据,而不是xml -Web API 2: -
将以下行放入Global.asax文件
GlobalConfiguration.Configuration.Formatters.JsonFormatter.SerializerSettings.ReferenceLoopHandling = Newtonsoft.Json.ReferenceLoopHandling.Ignore;
GlobalConfiguration.Configuration.Formatters.Remove(GlobalConfiguration.Configuration.Formatters.XmlFormatter);
答案 6 :(得分:0)
@model MVCClient.Models.ProductDetails
@{
ViewBag.Title = "ProductDetails";
}
<script src="~/Scripts/jquery-1.8.2.min.js"></script>
<script type="text/javascript">
$(document).ready(function () {
$("#Save").click(function () {
var ProductDetails = new Object();
ProductDetails.ProductName = $("#txt_productName").val();
ProductDetails.ProductDetail = $("#txt_desc").val();
ProductDetails.Price= $("#txt_price").val();
$.ajax({
url: "http://localhost:24481/api/Product/addProduct",
type: "Post",
dataType:'JSON',
data:ProductDetails,
success: function (data) {
alert('Updated Successfully');
//window.location.href = "../Index";
},
error: function (msg) { alert(msg); }
});
});
});
</script>
<h2>ProductDetails</h2>
<form id="form1" method="post">
<fieldset>
<legend>ProductDetails</legend>
<div class="editor-label">
@Html.LabelFor(model => model.ProductName)
</div>
<div class="editor-field">
<input id="txt_productName" type="text" name="fname">
@Html.ValidationMessageFor(model => model.ProductName)
</div>
<div class="editor-label">
@Html.LabelFor(model => model.ProductDetail)
</div>
<div class="editor-field">
<input id="txt_desc" type="text" name="fname">
@Html.ValidationMessageFor(model => model.ProductDetail)
</div>
<div class="editor-label">
@Html.LabelFor(model => model.Price)
</div>
<div class="editor-field">
<input id="txt_price" type="text" name="fname">
@Html.ValidationMessageFor(model => model.Price)
</div>
<p>
<input id="Save" type="button" value="Create" />
</p>
</fieldset>
</form>
<div>
@Html.ActionLink("Back to List", "Index")
</div>
</form>
@section Scripts {
@Scripts.Render("~/bundles/jqueryval")
}
答案 7 :(得分:0)
微软举了一个很好的例子:
https://docs.microsoft.com/en-us/aspnet/web-api/overview/advanced/sending-html-form-data-part-1
首先验证请求
if (ModelState.IsValid)
并使用序列化数据。
Content = new StringContent(update.Status)
此处“状态”是复杂类型中的字段。序列化由.NET完成,无需担心。
答案 8 :(得分:0)
1)在您的客户端,您可以使用以下字符串发送http.post请求
var IndexInfo = JSON.stringify(this.scope.IndexTree);
this.$http.post('../../../api/EvaluationProcess/InsertEvaluationProcessInputType', "'" + IndexInfo + "'" ).then((response: any) => {}
2)然后在你的web api控制器中你可以反序列化它
public ApiResponce InsertEvaluationProcessInputType([FromBody]string IndexInfo)
{
var des = (ApiReceivedListOfObjects<TempDistributedIndex>)Newtonsoft.Json.JsonConvert.DeserializeObject(DecryptedProcessInfo, typeof(ApiReceivedListOfObjects<TempDistributedIndex>));}
3)您的ApiReceivedListOfObjects类应如下所示
public class ApiReceivedListOfObjects<T>
{
public List<T> element { get; set; }
}
4)确保序列化字符串(此处为IndexInfo)在步骤2中的JsonConvert.DeserializeObject命令之前变为下面的结构
var resp = @"
{
""element"": [
{
""A"": ""A Jones"",
""B"": ""500015763""
},
{
""A"": ""B Smith"",
""B"": ""504986213""
},
{
""A"": ""C Brown"",
""B"": ""509034361""
}
]
}";