我正在开发一个C#控制台应用程序,用于测试URL是有效还是有效。它适用于大多数URL,并且可以从目标网站获得HTTP状态代码的响应。但是在测试其他一些URL时,应用程序会在运行HttpClient.SendAsync方法时抛出“发送请求时发生错误”异常。因此,即使此URL实际上在浏览器中有效,我也无法获得任何响应或HTTP状态代码。我迫不及待地想知道如何处理这个案子。如果URL不起作用或服务器拒绝我的请求,它至少应该给我相应的HTTP状态代码。
以下是我的测试应用程序的简化代码:
using System;
using System.Net.Http;
using System.Threading.Tasks;
namespace TestUrl
{
class Program
{
static void Main(string[] args)
{
// var urlTester = new UrlTester("http://www.sitename.com/wordpress"); // works well and get 404
// var urlTester = new UrlTester("http://www.fc.edu/"); // Throw exception and the URL doesn't work
var urlTester = new UrlTester("http://www.ntu.edu.tw/english/"); // Throw exception and the URL works actually
Console.WriteLine("Test is started");
Task.WhenAll(urlTester.RunTestAsync());
Console.WriteLine("Test is stoped");
Console.ReadKey();
}
public class UrlTester
{
private HttpClient _httpClient;
private string _url;
public UrlTester(string url)
{
_httpClient = new HttpClient();
_url = url;
}
public async Task RunTestAsync()
{
var httpRequestMsg = new HttpRequestMessage(HttpMethod.Head, _url);
try
{
using (var response = await _httpClient.SendAsync(httpRequestMsg, HttpCompletionOption.ResponseHeadersRead))
{
Console.WriteLine("Response: {0}", response.StatusCode);
}
}
catch (Exception e)
{
}
}
}
}
}
答案 0 :(得分:18)
如果您查看InnerException
,您会看到:
“无法解析远程名称:'www.fc.edu'”
此网址在我的浏览器上也不起作用。
为了获得HTTP响应,您需要客户端能够与服务器通信(即使是为了获得error 404),并且在您的情况下发生错误at the DNS level。
某些浏览器在这种情况下会自动完成,如果找不到特定的URL,浏览器将使用不同的后缀/前缀重试,例如:
try "x"
if didn't work, try "www." + x
if this didn't work try "www." + x + ".com"
if this didn't work try "www." + x + ".net"
if this didn't work try "www." + x + "." + currentRegionSuffix.
但请注意,您可以从以下位置更改代码:
catch (Exception e)
{
}
要:
catch (HttpRequestException e)
{
Console.WriteLine(e.InnerException.Message);
}
您将能够看到导致错误的原因。
此外, 除非投掷者抛出通用Exception
,否则你绝不应该抓住通用Exception
抓住并不做任何异常,至少记录下来。
请注意,因为您只等待那个任务可以使用:
urlTester.RunTestAsync().Wait();
而不是:
Task.WhenAll(urlTester.RunTestAsync());
完成给定Task.WhenAll
后, Task
会创建新的Task
。在您的情况下,您需要 Task.WaitAll
或 Task.WhenAll(...).Wait()
。