我正在用HttpClient和C#做我的第一步。我正在尝试发布到PHP REST服务器并使用其返回的JSON。 当我发布到返回'Hello World!'的终点时一切都好。但是当它返回时 {“key1”:“test1”,“key2”:“test3”}我无法解析它。
这是我的代码:
private static async Task RunAsyncPost(string requestUri, object postValues)
{
using (var client = new HttpClient())
{
// Send HTTP requests
client.BaseAddress = new Uri("myUrl");
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
try
{
// HTTP POST
var response = await client.PostAsJsonAsync(requestUri, postValues);
response.EnsureSuccessStatusCode(); // Throw if not a success code.
if (response.IsSuccessStatusCode)
{
var result = await response.Content.ReadAsStringAsync();
Debug.WriteLine(result);
}
}
catch (HttpRequestException e)
{
// Handle exception.
Debug.WriteLine(e.ToString());
throw;
}
}
}
问题似乎在于这一行:
var result = await response.Content.ReadAsStringAsync();
我很可能需要将其更改为 ReadAsAsync<> ,但我尝试了很多选项,但结果保持为空或者出现运行时错误。
我感兴趣的终点将返回一个不同长度的数组,所以我不能使用强类型的类。
[更新]
我正在Chrome中使用Postman Rest Extension将两个表单数据键值对发送到同一个URL,并且Postman返回正确的值。所以我假设我的PHP REST服务器没问题。
这是我的调用方法:
public void TestPost()
{
RunAsyncPost("api/postTest/", new { question_8 = "foo", question_9 = "bar" }).Wait();
}
答案 0 :(得分:0)
如果返回值的长度为N(仅在运行时已知),则有两种选择(我将使用Json.NET进行反序列化):
将返回的json解析为dynamic
对象。如果在编译时您知道密钥,请使用此选项:
var json = await response.Content.ReadAsStringAsync();
// Deserialize to a dynamic object
var dynamicJson = JsonConvert.DeserializeObject<dynamic>(json);
// Access keys as if they were members of a strongly typed class.
// Binding will only happen at run-time.
Console.WriteLine(dynamicJson.key1);
Console.WriteLine(dynamicJson.key2);
将返回的json解析为Dictionary<TKey, TValue>
,在这种情况下,它将是Dictionary<string, string>
:
var json = await response.Content.ReadAsStringAsync();
var dictionary = JsonConvert.DeserializeObject<Dictionary<string, string>>(json);
foreach (KeyValuePair<string, string> kvp in dictionary)
{
Console.WriteLine("Key: {0}, Value: {1}", kvp.Key, kvp.Value);
}
作为旁注,这样做:
RunAsyncPost("api/postTest/", new { question_8 = "foo", question_9 = "bar" }).Wait();
是async-await
中的反模式。 You shouldn't expose sync wrappers over asynchronous methods。而是调用同步API,例如WebClient
提供的API。