在升级到最新的.NetCore之前,我能够运行HttpWebRequest,添加标头和内容Type并从Twitch中提取JSON文件的流。由于升级,这是行不通的。每次去获取响应流时,我都会收到Web异常。没有什么因抽搐而改变,因为它仍然适用于旧的机器人。旧代码如下:
private const string Url = "https://api.twitch.tv/kraken/streams/channelname";
HttpWebRequest request;
try
{
request = (HttpWebRequest)WebRequest.Create(Url);
}
request.Method = "Get";
request.Timeout = 12000;
request.ContentType = "application/vnd.twitchtv.v5+json";
request.Headers.Add("Client-ID", "ID");
try
{
using (var s = request.GetResponse().GetResponseStream())
{
if (s != null)
using (var sr = new StreamReader(s))
{
}
}
}
我做了一些研究,发现我可能需要开始使用HttpClient或HttpRequestMessage。我试过这个,但是当添加标题内容类型时,程序会暂停并退出。在第一行之后:(当使用HttpsRequestMessage时)
request.Content.Headers.ContentType.MediaType = "application/vnd.twitchtv.v5+json";
request.Content.Headers.Add("Client-ID", "rbp1au0xk85ej6wac9b8s1a1amlsi5");
答案 0 :(得分:4)
您正在尝试添加ContentType
标头,但您真正想要的是添加Accept
标头(您的请求是GET
并且仅使用ContentType
对包含正文的请求,例如POST
或PUT
)。
在.NET Core中,您需要使用HttpClient
,但请记住,要正确使用它,您需要利用async
和await
。
这是一个例子:
using System.Net.Http;
using System.Net.Http.Headers;
private const string Url = "https://api.twitch.tv/kraken/streams/channelname";
public static async Task<string> GetResponseFromTwitch()
{
using(var client = new HttpClient())
{
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/vnd.twitchtv.v5+json"));
client.DefaultRequestHeaders.Add("Client-ID", "MyId");
using(var response = await client.GetAsync(Url))
{
response.EnsureSuccessStatusCode();
return await response.Content.ReadAsStringAsync(); // here we return the json response, you may parse it
}
}
}