WebException超时与HttpWebResponse超时

时间:2013-05-06 08:26:49

标签: asp.net webclient httpwebresponse

我正在使用Asp.Net WebClient来发布http帖子。我试着抓住代码来捕获WebException。

        try
        {
            using (MyWebClient wc = new MyWebClient())
            {
                wc.Headers[HttpRequestHeader.ContentType] = _lender.ContentType;
                wc.Timeout = 200;

                return _lender.GetResult(wc.UploadString(_lender.PostUri, _lender.PostValues));
            }
        }
        catch (WebException ex)
        {
            return new ServiceError(ex.Status.ToString());
        }

我正在寻找的主要例外是超时。我已经扩展了WebClient以允许我设置超时。

当我将超时设置为100毫秒时,会按预期抛出异常。我可以根据示例获得webexception状态(它返回“timout”),但是我也想返回状态代码。

如果我向下钻取以使用ex.Response获取httpwebresponse,则在我期待相关的状态代码时,我会返回一个null值。为什么我没有得到HttpStatus.Request.Timeout?

1 个答案:

答案 0 :(得分:0)

我遇到了同样的问题,在寻找解决方案时我意识到了一些事情。

  • WebExceptionStatus enum不等同于您调用的API返回的http状态代码。相反,它是一个可能的错误枚举,可能在http调用期间发生。
  • 当您从API收到错误(400到599)时返​​回的WebExceptionStatus错误代码是WebExceptionStatus.ProtocolError,也就是数字7(整数)。
  • 当您需要获取响应正文或从api返回的实际http状态代码时,首先需要检查WebException.Status是否为WebExceptionStatus.ProtocolError。然后,您可以从WebExceptionStatus.Response获得真实的响应并阅读其内容。
  • 有时超时是由调用方(也就是您的代码)处理的,因此在这种情况下您没有响应。这样就可以查看WebException.Status是否为WebExceptionStatus.Timeout

这是一个示例:

try
{
    ...
}
catch (WebException webException)
{
    if (webException.Status == WebExceptionStatus.ProtocolError)
    {
        var httpResponse = (HttpWebResponse)webException.Response;
        var responseText = "";
        using (var content = new StreamReader(httpResponse.GetResponseStream()))
        {
            responseText = content.ReadToEnd(); // Get response body as text
        }
        int statusCode = (int)httpResponse.StatusCode; // Get the status code
    }
    else if (webException.Status == WebExceptionStatus.ProtocolError)
    {
       // Timeout handled by your code. You do not have a response here.
    }

    // Handle other webException.Status errors. You do not have a response here.
}