Volley源碼分析(二)CacheDispatcher分析

来源:http://www.cnblogs.com/qifengshi/archive/2017/06/23/7069671.html
-Advertisement-
Play Games

CacheDispatcher 緩存分發 cacheQueue只是一個優先隊列,我們在start方法中,分析了CacheDispatcher的構成是需要cacheQueue,然後調用CacheDispatcher.start方法,我們看一下CacheDispatcher得到cacheQueue之後, ...


CacheDispatcher 緩存分發

cacheQueue只是一個優先隊列,我們在start方法中,分析了CacheDispatcher的構成是需要cacheQueue,然後調用CacheDispatcher.start方法,我們看一下CacheDispatcher得到cacheQueue之後,到底做了什麼。

CacheQueue是一個繼承於Thread的類,其start方法實質上是調用了run方法,我們看一下run方法所做的事情

    @Override
    public void run() {
        if (DEBUG) VolleyLog.v("start new dispatcher");
        Process.setThreadPriority(Process.THREAD_PRIORITY_BACKGROUND);

        // Make a blocking call to initialize the cache.
        mCache.initialize();

        while (true) {
            try {
                // Get a request from the cache triage queue, blocking until
                // at least one is available.
                final Request<?> request = mCacheQueue.take();
                request.addMarker("cache-queue-take");

                // If the request has been canceled, don't bother dispatching it.
                if (request.isCanceled()) {
                    request.finish("cache-discard-canceled");
                    continue;
                }

                // Attempt to retrieve this item from cache.
                Cache.Entry entry = mCache.get(request.getCacheKey());
                if (entry == null) {
                    request.addMarker("cache-miss");
                    // Cache miss; send off to the network dispatcher.
                    mNetworkQueue.put(request);
                    continue;
                }

                // If it is completely expired, just send it to the network.
                if (entry.isExpired()) {
                    request.addMarker("cache-hit-expired");
                    request.setCacheEntry(entry);
                    mNetworkQueue.put(request);
                    continue;
                }

                // We have a cache hit; parse its data for delivery back to the request.
                request.addMarker("cache-hit");
                Response<?> response = request.parseNetworkResponse(
                        new NetworkResponse(entry.data, entry.responseHeaders));
                request.addMarker("cache-hit-parsed");

                if (!entry.refreshNeeded()) {
                    // Completely unexpired cache hit. Just deliver the response.
                    mDelivery.postResponse(request, response);
                } else {
                    // Soft-expired cache hit. We can deliver the cached response,
                    // but we need to also send the request to the network for
                    // refreshing.
                    request.addMarker("cache-hit-refresh-needed");
                    request.setCacheEntry(entry);

                    // Mark the response as intermediate.
                    response.intermediate = true;

                    // Post the intermediate response back to the user and have
                    // the delivery then forward the request along to the network.
                    mDelivery.postResponse(request, response, new Runnable() {
                        @Override
                        public void run() {
                            try {
                                mNetworkQueue.put(request);
                            } catch (InterruptedException e) {
                                // Not much we can do about this.
                            }
                        }
                    });
                }

            } catch (InterruptedException e) {
                // We may have been interrupted because it was time to quit.
                if (mQuit) {
                    return;
                }
            }
        }
    }

我們可以看出其Run方法是一個無限迴圈的方法,退出的方式只有產生中斷異常,也就是其thread對象調用了 interrupt()方法,這個方法是在requestQueue中的stop方法中調用了,上面我們已經分析了。
下麵我們主要run方法的執行過程,取出隊頭的request,然後判斷request是否被取消,如果沒有就判斷該request中取出entity,判斷entity的狀態,如果entity為空,則將該request放入NetWorkDispatcher中重新請求,如果entity過期了也將該request放入NetWorkDispatcher中重新請求。兩者都沒有,則從request中entity的內容,重新構造response,然後判斷該entity是否需要刷新,不需要就直接Delivery該response,如果需要刷新,則將該response依舊發給用戶,但是重新進行請求該刷新entity。

可以用下圖的邏輯去看上面的過程

image

這裡,涉及到了Http一個重要的點,緩存。我們看一下,entity中關於緩存是怎麼設置的.

    class Entry {
        /** The data returned from cache. */
        public byte[] data;

        /** ETag for cache coherency. */
        public String etag;

        /** Date of this response as reported by the server. */
        public long serverDate;

        /** The last modified date for the requested object. */
        public long lastModified;

        /** TTL for this record. */
        public long ttl;

        /** Soft TTL for this record. */
        public long softTtl;

        /** Immutable response headers as received from server; must be non-null. */
        public Map<String, String> responseHeaders = Collections.emptyMap();

        /** True if the entry is expired. */
        boolean isExpired() {
            return this.ttl < System.currentTimeMillis();
        }

        /** True if a refresh is needed from the original data source. */
        boolean refreshNeeded() {
            return this.softTtl < System.currentTimeMillis();
        }
    }

這裡的過期方法判斷與是否需要刷新都是通過TTL與softTTL和現在時間對比而得到的。

緩存

這裡說一下Volley的緩存機制,涉及到Http緩存,需要解析Http響應報文的頭部。


public static Cache.Entry parseCacheHeaders(NetworkResponse response) {
    long now = System.currentTimeMillis();

    Map<String, String> headers = response.headers;

    long serverDate = 0;
    long lastModified = 0;
    long serverExpires = 0;
    long softExpire = 0;
    long finalExpire = 0;
    long maxAge = 0;
    long staleWhileRevalidate = 0;
    boolean hasCacheControl = false;
    boolean mustRevalidate = false;

    String serverEtag;
    String headerValue;

    headerValue = headers.get("Date");
    if (headerValue != null) {
        serverDate = parseDateAsEpoch(headerValue);
    }

    // 獲取響應體的Cache緩存策略.
    headerValue = headers.get("Cache-Control");
    if (headerValue != null) {
        hasCacheControl = true;
        String[] tokens = headerValue.split(",");
        for (String token : tokens) {
            token = token.trim();
            if (token.equals("no-cache") || token.equals("no-store")) {
                // no-cache|no-store代表伺服器禁止客戶端緩存,每次需要重新發送HTTP請求
                return null;
            } else if (token.startsWith("max-age=")) {
                // 獲取緩存的有效時間
                try {
                    maxAge = Long.parseLong(token.substring(8));
                } catch (Exception e) {
                    maxAge = 0;
                }
            } else if (token.startsWith("stale-while-revalidate=")) {
                try {
                    staleWhileRevalidate = Long.parseLong(token.substring(23));
                } catch (Exception e) {
                    staleWhileRevalidate = 0;
                }
            } else if (token.equals("must-revalidate") || token.equals("proxy-revalidate")) {
                // 需要進行新鮮度驗證
                mustRevalidate = true;
            }
        }
    }

    // 獲取伺服器資源的過期時間
    headerValue = headers.get("Expires");
    if (headerValue != null) {
        serverExpires = parseDateAsEpoch(headerValue);
    }

    // 獲取伺服器資源最後一次的修改時間
    headerValue = headers.get("Last-Modified");
    if (headerValue != null) {
        lastModified = parseDateAsEpoch(headerValue);
    }

    // 獲取伺服器資源標識
    serverEtag = headers.get("ETag");

    // 計算緩存的ttl和softTtl
    if (hasCacheControl) {
        softExpire = now + maxAge * 1000;
        finalExpire = mustRevalidate
                ? softExpire
                : softExpire + staleWhileRevalidate * 1000;
    } else if (serverDate > 0 && serverExpires >= serverDate) {
        // Default semantic for Expire header in HTTP specification is softExpire.
        softExpire = now + (serverExpires - serverDate);
        finalExpire = softExpire;
    }

    Cache.Entry entry = new Cache.Entry();
    entry.data = response.data;
    entry.etag = serverEtag;
    entry.softTtl = softExpire;
    entry.ttl = finalExpire;
    entry.serverDate = serverDate;
    entry.lastModified = lastModified;
    entry.responseHeaders = headers;

    return entry;
}

這裡設計到緩存,就要先得到Http的cache-control的headervalue,如果是no-cahce||no-store就不需要再處理緩存,雖然on-cache在瀏覽器那邊還是保存了請求的資源,但這裡去沒有處理。如果headervalue中有MaxAge,這個值是判斷緩存存在的有效時間。如果headervalue中有stale-while-revalidate,這個值是緩存過期的可用時間,即使緩存過期,在stale-while-revalidate時間內依舊可用。如果headervalue中有must-revalidate就意味著
從必須再驗證緩存的新鮮度,然後再用。

然後繼續解析header與緩存有關的內容,如Expires(這是一個不推薦的標簽),Last-Modified(最近被修改的時間),ETag(伺服器資源標識)。
然後如果有緩存控制就計算緩存的TTL與SoftTTL,SoftTTL就是softExpire,其值就是maxAge + 當前時間,而TTL是finalTTL其值是 先判斷是否過期就再驗證,如果是的話,其值就是softExpire,如果不是的話,其值就是softExpire加上staleWhileRevalidate(緩存過期有效時間)。
如果沒有緩存控制,softExpire = now + (serverExpires - serverDate);

所以,說回上面,CacheQueue中緩存的判斷,isExpire就是判斷finalTTL是否超過當前時間,而refreshNeeded則是判斷softExpire是否超過當前時間。


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 微信是目前最流行的社交軟體,每逢節假日,很多人都會在朋友圈分享自己的照片,有的人更是把照片做成了相冊,圖片的切換還伴隨有音樂,這個就是微信場景。 ...
  • 1) Jade Jade是一個有著完善API和驚艷特性的JavaScript模板引擎。使用空白與縮進敏感的代碼格式編寫HTML頁面。基於Node.js,運行在伺服器端。 2) Mustache Mustache是一個logic-less(無邏輯或輕邏輯)語法模板。可以用於組織HTML、配置文件、源代 ...
  • 需要加上parent.document,才能找到父頁面的元素 如: $("#tabs", parent.document).click(); ...
  • 學校暑期大作業讓用安卓寫一個app,有兩種方案(android stduio+sdk和eclipse+jdk+adt+sdk)折騰了幾天發現還是後者好用,但是安裝環境和下載真的是去了半條命,(不過由於eclipse是開源的,配置不對刪掉就行了,不用擔心卸載問題還是挺好用的)網上找的教程大部分都只說了 ...
  • 視頻 視頻的播放過程可以簡單理解為一幀一幀的畫面按照時間順序呈現出來的過程,就像在一個本子的每一頁畫上畫,然後快速翻動的感覺。 但是在實際應用中,並不是每一幀都是完整的畫面,因為如果每一幀畫面都是完整的圖片,那麼一個視頻的體積就會很大,這樣對於網路傳輸或者視頻數據存儲來說成本太高,所以通常會對視頻流 ...
  • 轉載請標明出處:http://blog.csdn.net/zhaoyanjun6/article/details/72956016 本文出自 "【趙彥軍的博客】" 開啟 Https 抓包 Fiddler 預設下,Fiddler不會捕獲HTTPS會話,需要你設置下。 : 抓取所有的 https 程式, ...
  • 初始效果圖 傾斜屏幕後效果圖 ...
  • 這本是一個很基礎的問題,很慚愧,很久沒研究這一塊了,已經忘得差不多了。前段時間面試,有面試官問過這個問題。雖然覺得沒必要記,要用的時候寫個Demo,打個Log就清楚了。但是今天順手寫了個Demo,也就順手分享一下結果。 第一個界面打開.png 第一個界面打開.png 這是第一個Activity打開顯 ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...