如何使用c# HttpClient正确执行JSON对象的HTTP Post
本文关键字:对象 JSON HTTP Post 执行 何使用 HttpClient | 更新日期: 2023-09-27 18:03:48
我有一个非常简单的c# Http客户端控制台应用程序,它需要做一个json对象的Http POST到WebAPI v2。目前,我的应用程序可以使用FormUrlEncodedContent:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Net.Http;
using System.Net.Http.Headers;
using Newtonsoft.Json;
using System.Net.Http.Formatting;
namespace Client1
{
class Program
{
class Product
{
public string Name { get; set; }
public double Price { get; set; }
public string Category { get; set; }
}
static void Main(string[] args)
{
RunAsync().Wait();
}
static async Task RunAsync()
{
using (var client = new HttpClient())
{
client.BaseAddress = new Uri("http://localhost:8888/");
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
var content = new FormUrlEncodedContent(new[]
{
new KeyValuePair<string, string>("Category", "value-1"),
new KeyValuePair<string, string>("Name", "value-2")
});
var result = client.PostAsync("Incident", content).Result;
var r = result;
}
}
}
}
然而,当我尝试在POST正文中使用JSON时,我得到错误415 -不支持的媒体类型:
class Product
{
public string Name { get; set; }
public double Price { get; set; }
public string Category { get; set; }
}
var gizmo = new Product() { Name = "Gizmo", Price = 100, Category = "Widget" };
var response = await client.PostAsJsonAsync("api/products", gizmo);
执行显式JSON序列化不会改变我的结果:
string json = JsonConvert.SerializeObject(product);
var response = await client.PostAsJsonAsync("api/products", json);
什么是正确的方式来处理这个,并能够POST JSON?
如果您希望它发送为FormUrlEncodedContent,那么MediaTypeWithQualityHeaderValue("application/json")是错误的。这会将请求的内容类型设置为json。使用application/x-www-form-urlencoded代替,或者根本不设置MediaTypeWithQualityHeaderValue
当我张贴FormUrlEncodedContent这是我使用的代码的程度
HttpContent content = new FormUrlEncodedContent(new Dictionary<string, string>
{
{"grant_type", "password"},
{"client_id", _clientId},
{"client_secret", _clientSecret},
{"username", _userName},
{"password", _password}
}
);
var message =
await httpClient.PostAsync(_authorizationUrl, content);
其中_authorizationUrl是一个绝对url。
我没有设置这些属性
client.BaseAddress = new Uri("http://localhost:8888/");
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
像你一样。