4

我正在开发一个基于 WebView 的应用程序,该应用程序目前在 v3.1 平板电脑上运行。我似乎无法让 WebView 缓存 css、js 和图像(或使用缓存)。该应用程序似乎总是连接到服务器,它返回一个 304 响应(HTML 页面是动态的,总是需要使用服务器)。

我想知道 HttpResponseCache(在 v4 下可用)是否与 WebViewClient 一起使用,或者 WebView 是否应该已经管理 HTTP 资源的缓存。

谢谢。

4

1 回答 1

4

经过一番测试,我发现Webkit的Android层没有使用URLConnection进行HTTP请求,这意味着HttpResponseCache无法像其他原生场景一样自动挂接到WebView。

所以我尝试了另一种方法:使用自定义 WebViewClient 来桥接 WebView 和 ResponseCache:

webview.setWebViewClient(new WebViewClient() {
    @Override public WebResourceResponse shouldInterceptRequest(final WebView view, final String url) {
        if (! (url.startsWith("http://") || url.startsWith("https://")) || ResponseCache.getDefault() == null) return null;
        try {
            final HttpURLConnection connection = (HttpURLConnection) new URL(url).openConnection();
            connection.connect();
            final String content_type = connection.getContentType();
            final String separator = "; charset=";
            final int pos = content_type.indexOf(separator);    // TODO: Better protocol compatibility
            final String mime_type = pos >= 0 ? content_type.substring(0, pos) : content_type;
            final String encoding = pos >= 0 ? content_type.substring(pos + separator.length()) : "UTF-8";
            return new WebResourceResponse(mime_type, encoding, connection.getInputStream());
        } catch (final MalformedURLException e) {
            e.printStackTrace(); return null;
        } catch (final IOException e) {
            e.printStackTrace(); return null;
        }
    }
});

当你需要离线访问缓存的资源时,只需添加一个缓存头:

connection.addRequestProperty("Cache-Control", "max-stale=" + stale_tolerance);

顺便说一句,要使这种方法正常工作,您需要正确设置 Web 服务器以响应启用缓存的“Cache-Control”标头。

于 2012-11-28T02:37:59.953 回答