如何避免超时异常



我试图创建一个依赖于JSON响应的android应用程序。有时,服务器需要花费很长时间才能响应,并以超时异常结束。因此,我想添加一个限制,如我的webservice调用应该在20秒后中止,如果没有响应。你能帮我实现这个想法吗?

你没有给出太多关于你实际实现的细节。

然而,干扰超时似乎可能是对应该解决的潜在问题的紧急修复。

然而,使用websockets进行传输可能是一个可能的(可能更优雅的)解决方案。它们在创建后提供客户机和服务器之间的持久连接。

在Android和IOS上使用websockets

有几种方法可以达到这个目标。

我们可以使用HttpURLConnection来做http请求。

public String doPost() {
    if (!mIsNetworkAvailable) {
        return null;
    }
    try {
        URL url = new URL(mURL);
        HttpURLConnection conn = (HttpURLConnection) url.openConnection();
        conn.setRequestMethod("POST");
        conn.setDoOutput(true);
        conn.setDoInput(true);
        for (String key : mHeadersMap.keySet()) {
            conn.setRequestProperty(key, mHeadersMap.get(key));
        }
        conn.setRequestProperty("User-Agent", "Android");
        conn.setConnectTimeout(30000);
        conn.setReadTimeout(30000);
        conn.setRequestProperty("Content-Type", "application/json");
        conn.getOutputStream().write(mContent);
        conn.getOutputStream().flush();
        int rspCode = conn.getResponseCode();
        if (rspCode >= 400) {
            return null;
        }
        byte[] buffer = new byte[8 * 1024];
        BufferedInputStream bis = new BufferedInputStream(conn.getInputStream());
        ByteArrayOutputStream baos = new ByteArrayOutputStream();
        int len;
        while ((len = bis.read(buffer)) > 0) {
            baos.write(buffer, 0, len);
        }
        baos.flush();
        final String result = new String(baos.toByteArray());
        baos.close();
        return result;
    } catch (MalformedURLException e) {
        e.printStackTrace();
    } catch (IOException e) {
        e.printStackTrace();
    }
    return null;
}

setConnectTimeout:设置连接时等待的最大毫秒时间。

setReadTimeout:设置输入流读结束前等待的最长时间。

参考:http://developer.android.com/reference/java/net/URLConnection.html

相关内容

  • 没有找到相关文章

最新更新