在WebException中获取HTTP StatusCode

时间:2018-05-17 06:27:23

标签: vb.net

我想知道如何在抛出WebException后返回HTTP状态。我正在调用一个RestAPI来获取一个令牌,服务器以json格式返回一个401和一个Body,告诉我访问被拒绝。我想获得401,但还没有找到只获得401的方法。

Catch ex As WebException
        Dim resp = New StreamReader(ex.Response.GetResponseStream()).ReadToEnd()
        Dim errorNumber As Integer = CInt(ex.Status)
        Console.WriteLine(ex.Message & "  " & errorNumber)
        Console.WriteLine(resp & "  ")
        Return resp

以下是我的代码控制台输出:

CInt(ex.Status)=“7”和 ex.message =“远程服务器返回错误:(401)未经授权。”

我正在寻找的是获取401或服务器发送的任何等于response.StatusCode

2 个答案:

答案 0 :(得分:0)

我实际上找到了直接访问401的方法

Dim ExResponse = TryCast(ex.Response, HttpWebResponse)
Console.WriteLine(ExResponse.StatusCode)

答案 1 :(得分:0)

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

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

这是C#代码,但您在VB.Net中遵循相同的逻辑

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
    }

    // Handle other webException.Status errors
}