在升级到最新的.NetCore之前,我能够运行HttpWebRequest,添加标头和内容类型,然后从Twitch中提取JSON文件流。由于升级,因此无法正常工作。每当我去获取响应流时,我都会收到一个Web异常。抽搐没有改变,因为它仍然可以与旧的Bot一起使用。旧代码如下:

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");

最佳答案

您尝试添加ContentType标头,但您真正想要的是添加Accept标头(您的请求是GET,而ContentType仅用于包含正文的请求,例如POSTPUT)。

在.NET Core中,您需要使用HttpClient,但是请记住要正确使用它,您需要利用asyncawait的使用。

这是一个例子:

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
        }
    }
}

关于c# - .NETCore HttpWebRequest-旧方法不起作用,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43954119/

10-13 08:19