在C#中,使用WebClient处理重定向非常简单。默认情况下,WebClient会自动处理HTTP 301和HTTP 302重定向。当WebClient遇到这些重定向时,它会自动跟随新的URL并获取资源。
以下是一个简单的示例,展示了如何使用WebClient获取一个可能发生重定向的URL的内容:
using System;
using System.Net;
using System.Threading.Tasks;
class Program
{
static async Task Main(string[] args)
{
string url = "https://example.com/some-redirect-url";
using (WebClient webClient = new WebClient())
{
try
{
string content = await webClient.DownloadStringTaskAsync(url);
Console.WriteLine("Content of the redirected URL:");
Console.WriteLine(content);
}
catch (WebException ex)
{
if (ex.Response != null && ex.Response.StatusCode == HttpStatusCode.Found)
{
Console.WriteLine("Redirected to a new URL:");
string newUrl = ex.Response.Headers["Location"];
Console.WriteLine(newUrl);
// Follow the new URL
string newContent = await webClient.DownloadStringTaskAsync(newUrl);
Console.WriteLine("\nContent of the new URL:");
Console.WriteLine(newContent);
}
else
{
Console.WriteLine("An error occurred while downloading the URL.");
}
}
}
}
}
在这个示例中,我们首先尝试使用WebClient下载URL的内容。如果遇到重定向(HTTP 301或HTTP 302),WebClient会自动跟随新的URL并获取资源。我们可以通过检查ex.Response.StatusCode
是否为HttpStatusCode.Found
来判断是否发生了重定向。如果发生了重定向,我们可以从响应头中获取新的URL,并使用WebClient再次下载内容。