WebException 본문으로 전체 응답을 얻는 방법은 무엇입니까?


109

WebException에서 GetResponse의 본문을 볼 수 없습니다. 이것은 C #의 내 코드입니다.

try {                
  return GetResponse(url + "." + ext.ToString(), method, headers, bodyParams);
} catch (WebException ex) {
    switch (ex.Status) {
      case WebExceptionStatus.ConnectFailure:
         throw new ConnectionException();                        
     case WebExceptionStatus.Timeout:
         throw new RequestTimeRanOutException();                     
     case WebExceptionStatus.NameResolutionFailure:
         throw new ConnectionException();                        
     case WebExceptionStatus.ProtocolError:
          if (ex.Message == "The remote server returned an error: (401) unauthorized.") {
              throw new CredentialsOrPortalException();
          }
          throw new ProtocolErrorExecption();                    
     default:
          throw;
    }

헤더는 보이지만 본문은 보이지 않습니다. 요청에 대한 Wireshark의 출력입니다.

POST /api/1.0/authentication.json HTTP/1.1    
Content-Type: application/x-www-form-urlencoded    
Accept: application/json    
Host: nbm21tm1.teamlab.com    
Content-Length: 49    
Connection: Keep-Alive    

userName=XXX&password=YYYHTTP/1.1 500 Server error    
Cache-Control: private, max-age=0    
Content-Length: 106    
Content-Type: application/json; charset=UTF-8    
Server: Microsoft-IIS/7.5    
X-AspNet-Version: 2.0.50727    
X-Powered-By: ASP.NET    
X-Powered-By: ARR/2.5

Date: Mon, 06 Aug 2012 12:49:41 GMT    
Connection: close    

{"count":0,"startIndex":0,"status":1,"statusCode":500,"error":{"message":"Invalid username or password."}}

WebException에서 메시지 텍스트를 볼 수 있습니까? 감사합니다.


(HttpWebResponse) we.Response를 시도해 보셨습니까? WebException이 잡힌 '우리'는 어디입니까?
Justin Harvey

2
다시 throw 된 예외에서 스택 추적을 유지하려면 사용하지 말고 throw ex;단순히 throw;(기본 경우) 사용하십시오. 또한 (필요한 경우) 사용자 지정 예외의 InnerException (적절한 생성자를 통해)에 원래 WebException을 넣습니다.
user1713059

답변:


202
var resp = new StreamReader(ex.Response.GetResponseStream()).ReadToEnd();

dynamic obj = JsonConvert.DeserializeObject(resp);
var messageFromServer = obj.error.message;

8
JsonConvert에 익숙하지 않은 사람은 Nuget 패키지 관리자에서 Newtonsoft.Json을 가져와야합니다.
카일

Newtonsoft.Json은 선택 사항이므로 Kyle의 설명으로 답변을 업데이트하십시오.
Jeroen

3
또한이 코드는 요청이 이동해야하는 Try-Catch 코드 블록의 Catch fallback 절에 포함되어야 함을 설명하십시오. 나는이 사건에 대해주의를 기울이는 독자와 @iwtu에게 명백하지만, 완전히 포괄적 인 답변은이 답변을 읽는 초보자에게 진정한 차이를 만들 수 있습니다.)
Jeroen

2
StreamReader는 IDisposable을 구현하므로 using 문으로 래핑하는 것이 가장 좋은 방법이 아닙니까? StreamReader의 Dispose 메서드를 간략히 살펴보면 거기에서 몇 가지 중요한 정리 작업을 수행함을 알 수 있습니다.
sammy34

@ sammy34 걱정 마세요. 이 경우 에는 관리되지 않는 코드 / 데이터가 없기 때문에 가비지 수집기가 쉽게 처리 할 수 ​​있습니다 ... (하지만 사용 하는 것은 항상 좋은 습관입니다.)
LB

42
try {
 WebClient client = new WebClient();
 client.Encoding = Encoding.UTF8;
 string content = client.DownloadString("https://sandiegodata.atlassian.net/wiki/pages/doaddcomment.action?pageId=524365");
 Console.WriteLine(content);
 Console.ReadKey();
} catch (WebException ex) {
 var resp = new StreamReader(ex.Response.GetResponseStream()).ReadToEnd();
 Console.WriteLine(resp);
 Console.ReadKey();
}

5

이것은 기존 답변에서만 향상됩니다. 나는 응답 본문을 포함하는 향상된 메시지로 던지기 / 다시 던지기의 세부 사항을 처리하는 메서드를 작성했습니다.

내 코드는 다음과 같습니다 (Client.cs).

/// <summary>
///     Tries to rethrow the WebException with the data from the body included, if possible. 
///     Otherwise just rethrows the original message.
/// </summary>
/// <param name="wex">The web exception.</param>
/// <exception cref="WebException"></exception>
/// <remarks>
///     By default, on protocol errors, the body is not included in web exceptions. 
///     This solutions includes potentially relevant information for resolving the
///     issue.
/// </remarks>
private void ThrowWithBody(WebException wex) {
    if (wex.Status == WebExceptionStatus.ProtocolError) {
        string responseBody;
        try {
            //Get the message body for rethrow with body included
            responseBody = new StreamReader(wex.Response.GetResponseStream()).ReadToEnd();

        } catch (Exception) {
            //In case of failure to get the body just rethrow the original web exception.
            throw wex;
        }

        //include the body in the message
        throw new WebException(wex.Message + $" Response body: '{responseBody}'", wex, wex.Status, wex.Response);
    }

    //In case of non-protocol errors no body is available anyway, so just rethrow the original web exception.
    throw wex;
}

OP가 보여준 것처럼 catch 절에서 사용합니다.

//Execute Request, catch the exception to eventually get the body
try {
    //GetResponse....
    }
} catch (WebException wex) {
    if (wex.Status == WebExceptionStatus.ProtocolError) {
        ThrowWithBody(wex);
    }

    //otherwise rethrow anyway
    throw;
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.