3

我正在使用DefaultHTTPClientAndroid 中的来获取页面。我想捕获服务器返回的 500 和 404 错误,但我得到的只是java.io.IOException. 我怎样才能专门捕获这两个错误?

这是我的代码:

public String doGet(String strUrl, List<NameValuePair> lstParams) throws Exception {

    Integer intTry = 0;

    while (intTry < 3) {

        intTry += 1;

        try {

            String strResponse = null;
            HttpGet htpGet = new HttpGet(strUrl);
            DefaultHttpClient dhcClient = new DefaultHttpClient();
            dhcClient.addResponseInterceptor(new MakeCacheable(), 0);
            HttpResponse resResponse = dhcClient.execute(htpGet);
            strResponse = EntityUtils.toString(resResponse.getEntity());
            return strResponse;

        } catch (Exception e) {

            if (intTry < 3) {
                Log.v("generics.Indexer", String.format("Attempt #%d", intTry));
            } else {                
                throw e;                    
            }

        }

    }

    return null;

}
4

3 回答 3

7

你需要得到statusCode

HttpResponse resResponse = dhcClient.execute(htpGet);
StatusLine statusLine = resResponse.getStatusLine();
int statusCode = statusLine.getStatusCode();
if (statusCode == HttpURLConnection.HTTP_OK) {
    // Here status code is 200 and you can get normal response
} else {
    // Here status code may be equal to 404, 500 or any other error
}
于 2012-09-09T09:13:05.023 回答
2

您可以使用状态码比较,如下所示:

StatusLine statusLine = resResponse.getStatusLine();
int statusCode = statusLine.getStatusCode();
if (statusCode >= 400 && statusCode < 600) {
    // some handling for 4xx and 5xx errors
} else {
    // when not 4xx or 5xx errors
}

但重要的是你需要消耗HTTPEntity,否则你的连接不会释放回连接池,这可能导致连接池耗尽。您已经使用 执行此操作toString(entity),但如果您不想消耗资源来阅读不会使用的内容,您可以使用以下说明执行此操作:

EntityUtils.consumeQuietly(resResponse.getEntity())

您可以在此处找到文档。

于 2012-09-09T09:25:14.747 回答
0

我用

if (response.getStatusLine().toString().compareTo(getString(R.string.api_status_ok)) == 0)

检查响应代码。一切顺利时应该是 HTTP/1.1 200 OK。您可以轻松地创建一个开关来管理不同的案例。

于 2012-09-09T09:12:37.670 回答