我需要通过字符串参数对web方法进行简单的webapi调用。
下面是我正在尝试的代码,但是当在webapi方法上命中断点时,接收到的值为null
。
StringContent stringContent = new System.Net.Http.StringContent("{ \"firstName\": \"John\" }", System.Text.Encoding.UTF8, "application/json");
HttpClient client = new HttpClient();
HttpResponseMessage response = await client.PostAsync(url.ToString(), stringContent);
和服务器端代码:
// POST api/values
[HttpPost]
public void Post([FromBody]string value)
{
}
请帮忙...
最佳答案
如果要将json发送到Web API,最好的选择是使用模型绑定(bind)功能,并使用Class(而不是字符串)。
建立模型
public class MyModel
{
[JsonProperty("firstName")]
public string FirstName { get; set; }
}
如果您不使用JsonProperty属性,则可以使用小写的 Camel 编写属性,如下所示
public class MyModel
{
public string firstName { get; set; }
}
然后更改您的操作,将参数类型更改为MyModel
[HttpPost]
public void Post([FromBody]MyModel value)
{
//value.FirstName
}
您可以使用Visual Studio自动创建C#类,在此处查看此答案Deserialize JSON into Object C#
我做了下面的测试代码
Web API Controller 和 View 模型
using System.Web.Http;
using Newtonsoft.Json;
namespace WebApplication3.Controllers
{
public class ValuesController : ApiController
{
[HttpPost]
public string Post([FromBody]MyModel value)
{
return value.FirstName.ToUpper();
}
}
public class MyModel
{
[JsonProperty("firstName")]
public string FirstName { get; set; }
}
}
控制台客户端应用程序
using System;
using System.Net.Http;
namespace Temp
{
public class Program
{
public static void Main(string[] args)
{
Console.WriteLine("Enter to continue");
Console.ReadLine();
DoIt();
Console.ReadLine();
}
private static async void DoIt()
{
using (var stringContent = new StringContent("{ \"firstName\": \"John\" }", System.Text.Encoding.UTF8, "application/json"))
using (var client = new HttpClient())
{
try
{
var response = await client.PostAsync("http://localhost:52042/api/values", stringContent);
var result = await response.Content.ReadAsStringAsync();
Console.WriteLine(result);
}
catch (Exception ex)
{
Console.ForegroundColor = ConsoleColor.Red;
Console.WriteLine(ex.Message);
Console.ResetColor();
}
}
}
}
}
输出
Enter to continue
"JOHN"
关于c# - 对WebAPI的httpclient调用以发布数据不起作用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/34560017/