OkHttp3源碼詳解(五) okhttp連接池復用機制

来源:https://www.cnblogs.com/ganchuanpu/archive/2018/08/02/9408081.html
-Advertisement-
Play Games

1、概述 提高網路性能優化,很重要的一點就是降低延遲和提升響應速度。 通常我們在瀏覽器中發起請求的時候header部分往往是這樣的 keep-alive 就是瀏覽器和服務端之間保持長連接,這個連接是可以復用的。在HTTP1.1中是預設開啟的。 連接的復用為什麼會提高性能呢? 通常我們在發起http請 ...


1、概述

提高網路性能優化,很重要的一點就是降低延遲和提升響應速度。

通常我們在瀏覽器中發起請求的時候header部分往往是這樣的

keep-alive 就是瀏覽器和服務端之間保持長連接,這個連接是可以復用的。在HTTP1.1中是預設開啟的。

連接的復用為什麼會提高性能呢? 
通常我們在發起http請求的時候首先要完成tcp的三次握手,然後傳輸數據,最後再釋放連接。三次握手的過程可以參考這裡 TCP三次握手詳解及釋放連接過程

一次響應的過程

在高併發的請求連接情況下或者同個客戶端多次頻繁的請求操作,無限制的創建會導致性能低下。

如果使用keep-alive

在timeout空閑時間內,連接不會關閉,相同重覆的request將復用原先的connection,減少握手的次數,大幅提高效率。

並非keep-alive的timeout設置時間越長,就越能提升性能。長久不關閉會造成過多的僵屍連接和泄露連接出現。

那麼okttp在客戶端是如果類似於客戶端做到的keep-alive的機制。

2、連接池的使用

連接池的類位於okhttp3.ConnectionPool。我們的主旨是瞭解到如何在timeout時間內復用connection,並且有效的對其進行回收清理操作。

其成員變數代碼片

/**
 * Background threads are used to cleanup expired connections. There will be at most a single
 * thread running per connection pool. The thread pool executor permits the pool itself to be
 * garbage collected.
   */
  private static final Executor executor = new ThreadPoolExecutor(0 /* corePoolSize */,
      Integer.MAX_VALUE /* maximumPoolSize */, 60L /* keepAliveTime */, TimeUnit.SECONDS,
      new SynchronousQueue<Runnable>(), Util.threadFactory("OkHttp ConnectionPool", true));

  /** The maximum number of idle connections for each address. */
  private final int maxIdleConnections;

  private final Deque<RealConnection> connections = new ArrayDeque<>();
  final RouteDatabase routeDatabase = new RouteDatabase();
  boolean cleanupRunning;
  • excutor : 線程池,用來檢測閑置socket並對其進行清理。
  • connections : connection緩存池。Deque是一個雙端列表,支持在頭尾插入元素,這裡用作LIFO(後進先出)堆棧,多用於緩存數據。
  • routeDatabase :用來記錄連接失敗router

2.1 緩存操作

ConnectionPool提供對Deque<RealConnection>進行操作的方法分別為putgetconnectionBecameIdleevictAll幾個操作。分別對應放入連接、獲取連接、移除連接、移除所有連接操作。

put操作

void put(RealConnection connection) {
    assert (Thread.holdsLock(this));
    if (!cleanupRunning) {
      cleanupRunning = true;
      executor.execute(cleanupRunnable);
    }
    connections.add(connection);
  }

可以看到在新的connection 放進列表之前執行清理閑置連接的線程。

既然是復用,那麼看下他獲取連接的方式。

/** Returns a recycled connection to {@code address}, or null if no such connection exists. */
RealConnection get(Address address, StreamAllocation streamAllocation) {
    assert (Thread.holdsLock(this));
    for (RealConnection connection : connections) {
      if (connection.allocations.size() < connection.allocationLimit
          && address.equals(connection.route().address)
          && !connection.noNewStreams) {
        streamAllocation.acquire(connection);
        return connection;
      }
    }
    return null;
 }

遍歷connections緩存列表,當某個連接計數的次數小於限制的大小以及request的地址和緩存列表中此連接的地址完全匹配。則直接復用緩存列表中的connection作為request的連接。

streamAllocation.allocations是個對象計數器,其本質是一個 List<Reference<StreamAllocation>> 存放在RealConnection連接對象中用於記錄Connection的活躍情況。

連接池中Connection的緩存比較簡單,就是利用一個雙端列表,配合CRD等操作。那麼connectiontimeout時間類是如果失效的呢,並且如果做到有效的對連接進行清除操作以確保性能和記憶體空間的充足。

2.2 連接池的清理和回收

在看ConnectionPool的成員變數的時候我們瞭解到一個Executor的線程池是用來清理閑置的連接的。註釋中是這麼解釋的:

 Background threads are used to cleanup expired connections

我們在put新連接到隊列的時候會先執行清理閑置連接的線程。調用的正是 executor.execute(cleanupRunnable); 方法。觀察cleanupRunnable

private final Runnable cleanupRunnable = new Runnable() {
    @Override public void run() {
      while (true) {
        long waitNanos = cleanup(System.nanoTime());
        if (waitNanos == -1) return;
        if (waitNanos > 0) {
          long waitMillis = waitNanos / 1000000L;
          waitNanos -= (waitMillis * 1000000L);
          synchronized (ConnectionPool.this) {
            try {
              ConnectionPool.this.wait(waitMillis, (int) waitNanos);
            } catch (InterruptedException ignored) {
            }
          }
        }
      }
    }
  };

線程中不停調用Cleanup 清理的動作並立即返回下次清理的間隔時間。繼而進入wait 等待之後釋放鎖,繼續執行下一次的清理。所以可能理解成他是個監測時間並釋放連接的後臺線程。

瞭解cleanup動作的過程。這裡就是如何清理所謂閑置連接的和行了。怎麼找到閑置的連接是主要解決的問題。

long cleanup(long now) {
    int inUseConnectionCount = 0;
    int idleConnectionCount = 0;
    RealConnection longestIdleConnection = null;
    long longestIdleDurationNs = Long.MIN_VALUE;

    // Find either a connection to evict, or the time that the next eviction is due.
    synchronized (this) {
      for (Iterator<RealConnection> i = connections.iterator(); i.hasNext(); ) {
        RealConnection connection = i.next();

        // If the connection is in use, keep searching.
        if (pruneAndGetAllocationCount(connection, now) > 0) {
          inUseConnectionCount++;
          continue;
        }

        idleConnectionCount++;

        // If the connection is ready to be evicted, we're done.
        long idleDurationNs = now - connection.idleAtNanos;
        if (idleDurationNs > longestIdleDurationNs) {
          longestIdleDurationNs = idleDurationNs;
          longestIdleConnection = connection;
        }
      }

      if (longestIdleDurationNs >= this.keepAliveDurationNs
          || idleConnectionCount > this.maxIdleConnections) {
        // We've found a connection to evict. Remove it from the list, then close it below (outside
        // of the synchronized block).
        connections.remove(longestIdleConnection);
      } else if (idleConnectionCount > 0) {
        // A connection will be ready to evict soon.
        return keepAliveDurationNs - longestIdleDurationNs;
      } else if (inUseConnectionCount > 0) {
        // All connections are in use. It'll be at least the keep alive duration 'til we run again.
        return keepAliveDurationNs;
      } else {
        // No connections, idle or in use.
        cleanupRunning = false;
        return -1;
      }
    }

    closeQuietly(longestIdleConnection.socket());

    // Cleanup again immediately.
    return 0;
  }

在遍歷緩存列表的過程中,使用連接數目inUseConnectionCount 和閑置連接數目idleConnectionCount 的計數累加值都是通過pruneAndGetAllocationCount() 是否大於0來控制的。那麼很顯然pruneAndGetAllocationCount() 方法就是用來識別對應連接是否閑置的。>0則不閑置。否則就是閑置的連接。

進去觀察

private int pruneAndGetAllocationCount(RealConnection connection, long now) {
    List<Reference<StreamAllocation>> references = connection.allocations;
    for (int i = 0; i < references.size(); ) {
      Reference<StreamAllocation> reference = references.get(i);

      if (reference.get() != null) {
        i++;
        continue;
      }

      // We've discovered a leaked allocation. This is an application bug.
      Platform.get().log(WARN, "A connection to " + connection.route().address().url()
          + " was leaked. Did you forget to close a response body?", null);
      references.remove(i);
      connection.noNewStreams = true;

      // If this was the last allocation, the connection is eligible for immediate eviction.
      if (references.isEmpty()) {
        connection.idleAtNanos = now - keepAliveDurationNs;
        return 0;
      }
    }

    return references.size();
  }
}

好了,原先存放在RealConnection 中的allocations 派上用場了。遍歷StreamAllocation 弱引用鏈表,移除為空的引用,遍歷結束後返回鏈表中弱引用的數量。所以可以看出List<Reference<StreamAllocation>> 就是一個記錄connection活躍情況的 >0表示活躍 =0 表示空閑。StreamAllocation 在列表中的數量就是就是物理socket被引用的次數

解釋:StreamAllocation被高層反覆執行aquirerelease。這兩個函數在執行過程中其實是在一直在改變Connection中的 List<WeakReference<StreamAllocation>>大小。

搞定了查找閑置的connection操作,我們回到cleanup 的操作。計算了inUseConnectionCountidleConnectionCount 之後程式又根據閑置時間對connection進行了一個選擇排序,選擇排序的核心是:

 // If the connection is ready to be evicted, we're done.
        long idleDurationNs = now - connection.idleAtNanos;
        if (idleDurationNs > longestIdleDurationNs) {
          longestIdleDurationNs = idleDurationNs;
          longestIdleConnection = connection;
        }
      }
    ....

通過對比最大閑置時間選擇排序可以方便的查找出閑置時間最長的一個connection。如此一來我們就可以移除這個沒用的connection了!

 if (longestIdleDurationNs >= this.keepAliveDurationNs
          || idleConnectionCount > this.maxIdleConnections) {
        // We've found a connection to evict. Remove it from the list, then close it below (outside
        // of the synchronized block).
        connections.remove(longestIdleConnection);
}

總結:清理閑置連接的核心主要是引用計數器List<Reference<StreamAllocation>> 和 選擇排序的演算法以及excutor的清理線程池。

部分參考:http://www.jianshu.com/p/92a61357164b

 


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

-Advertisement-
Play Games
更多相關文章
  • Preface I've installed MasterHA yesterday,Now let's test the master-slave switch and failover feature. Framework Hostname IP Port Identity OS Version ...
  • 前言 學習Android相關知識,數據存儲是其中的重點之一,如果不瞭解數據,那麼讓你跟一款沒有數據的應用玩,你能玩多久呢?答案是這和沒有手機幾乎是差不多的。我們聊QQ,聊微信,看新聞,刷朋友圈等都是看裡面的數據,所以在Android中數據對我們是多麼重要。 數據,如今是數據大時代,誰擁有數據,誰就能 ...
  • 一、EditText介紹 ①EditText是一個輸入框,在Android開發中是常用的控制項。也是獲取用戶數據的一種方式。 ②EditText是TextView的子類,它繼承了TextView的所有屬性。 二、常用屬性 1 輸入類型:android:inputType="value" value列表 ...
  • 在做android圖片載入的時候,由於手機屏幕受限,很多大圖載入過來的時候,我們要求等比例縮放,比如按照固定的寬度,等比例縮放高度,使得圖片的尺寸比例得到相應的縮放,但圖片沒有變形。顯然按照android:scaleType不能實現,因為會有很多限制,所以必須要自己寫演算法。 通過Picasso來縮放 ...
  • Picasso 是Square 公司開源的Android 端的圖片載入和緩存框架。Square 真是一家良心公司啊,為我們Android開發者貢獻了很多優秀的開源項目有木有!像什麼Rerefoit 、OkHttp、LeakCanary、Picasso等等都是非常火的開源項目。回到正題,除了使用簡單方 ...
  • AngularJS與Onsen UI的結合,Onsen UI應用程式實際上是一個AngularJS 1應用程式。 ...
  • 安卓基於Socket通信(伺服器配合) 1.話不多說進入正題,先創建服務端,在Android Studio中創建Java代碼,如下圖所示: 選擇Java Library 需要改名字的自己隨意 2.創建Client Manager客戶端管理類來管理客戶端的消息,因為省時間就直接從我上篇博客的代碼基礎上 ...
  • 一、說明 在下載或者看別人的代碼我們常會看見,每一個文件的上方有個所屬者的備註。如果要是一個一個備註那就累死了。 二、設置方法 File >>> Setting >>> File and Code Templates >>> File Header在右邊的輸入框中輸入你想要備註的內容即可 ...
一周排行
    -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.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...