C# WebApi传参之Post请求

时间:2021-10-11 03:02:14

最近悟出来一个道理,在这儿分享给大家:学历代表你的过去,能力代表你的现在,学习代表你的将来。

 十年河东十年河西,莫欺少年穷。 

学无止境,精益求精

   上一节讲述了C# WebApi传参之Get请求-AJAX

本节讲述C# WebApi传参之Post请求-AJAX,说起Ajax针对webApi的Post请求,真的不敢恭维,确实比较怪异,如果你不幸要写一个Ajax Post请求webApi接口,那么您还是有必要花点时间看看本篇博客,如果你也遇到了同样的问题,就不妨在最后给本篇博客点个赞。谢谢

说起Post请求,想必大家都比较熟悉,post请求原理和get请求不一样,我们知道get请求的参数是通过url来传递的,而post请求则是通过http的请求体中传过来的,WebApi的post请求也需要从http的请求体里面去取参数。说白了Get请求是通过URL传递一组键值对,Post请求是发送一个Http请求体。上一节Get请求,我们用到了[FromUri]关键字。本节的Post请求,我们将使用另一个关键字[FromBoay],上一节结尾我建议大家Get请求时要带上[FromUri]关键字,,同理,本节的Post请求,我要建议大家在接收参数时,带上[FromBody]关键字,毕竟养成一个好的习惯不是什么坏事。

开篇中提到,Ajax Post请求webApi很怪异,那么它究竟怎么怪异呢?下面以代码示范说明:<本文仍旧采用上一节Get请求的实体对象,不知道的博友,请参阅我的上篇博客>

如下:

/// <summary> /// 简单测试案例 /// </summary> /// <returns></returns> [HttpPost] public string Get() { return "OK"; } /// <summary> /// 通过id获取特定数据 /// </summary> /// <param></param> /// <returns></returns> [HttpPost] public string GetById([FromBody]int Id) { list = list.Where(p => p.Id == Id).ToList(); return JsonHelper.JsonSerializer<List<Person>>(list); }

aJax如下

//无参数请求-简单示例 $(document).ready(function () { $.ajax({ url: ":9953/api/Person/Get", type: "post", contentType: "application/json", dataType: "text", data:{}, success: function (result,status) { if (status == "success") { alert(result); } }, error: function (error) { alert(error); } }); }); //单个参数传递- data: {"":"3"}, 这种方式也竟然正确 $(document).ready(function (data) { $.ajax({ url: ":9953/api/Person/GetById", type: "post", contentType: "application/json", dataType: "text", data: {Id:"3"}, success: function (result,status) { alert(result) }, error: function (error) { alert(error); } }); });

上文JS中注释有这么一句话:‘data: {"":"3"}, 这种方式也竟然正确’

这是一种另许多人头痛的写法,但是没办法,经过测试,这种写法确实很正确。

根据上述案例,我们看到了Post请求传递单个参数的写法,那么如果传递多个参数,我们能否采取如下的方法?(经测试,如下写法是错误的,报404Not Found)

$(document).ready(function (data) { $.ajax({ url: ":9953/api/Person/GetByIdAndSex", type: "post", contentType: "application/json", dataType: "text", data: { Id: "3",Sex:"W" }, success: function (result, status) { alert(result) }, error: function (error) { alert(error); } }); });

/// <summary> /// 错误的写法 当然,本篇只讲解Ajax请求,如果你是通过HttpwebClient的方式进行请求,这种写法是没有任何问题的 /// </summary> /// <param></param> /// <returns></returns> [HttpPost] public HttpResponseMessage GetByIdAndSex([FromBody]string Id,[FromBody]string Sex) { List<Person> list_2 = new List<Person>(); var Result = from r in list where r.Id == Convert.ToInt32(Id) && r.Sex == Sex select r; foreach (var Item in Result) { list_2.Add(Item); } return ResultToJson.toJson(list_2); }