Universal-Image-Loader完全解析(二)--- 圖片緩存策略詳解

本篇文章繼續爲大家介紹Universal-Image-Loader這個開源的圖片加載框架,介紹的是圖片緩存策略方面的,如果大家對這個開源框架的使用還不瞭解,大家可以看看我之前寫的一篇文章Android 開源框架Universal-Image-Loader完全解析(一)--- 基本介紹及使用,我們一般去加載大量的圖片的時候,都會做緩存策略,緩存又分爲內存緩存和硬盤緩存,我之前也寫了幾篇異步加載大量圖片的文章,使用的內存緩存是LruCache這個類,LRU是Least Recently Used 近期最少使用算法,我們可以給LruCache設定一個緩存圖片的最大值,它會自動幫我們管理好緩存的圖片總大小是否超過我們設定的值, 超過就刪除近期最少使用的圖片,而作爲一個強大的圖片加載框架,Universal-Image-Loader自然也提供了多種圖片的緩存策略,下面就來詳細的介紹下


內存緩存


首先我們來了解下什麼是強引用和什麼是弱引用?

強引用是指創建一個對象並把這個對象賦給一個引用變量, 強引用有引用變量指向時永遠不會被垃圾回收。即使內存不足的時候寧願報OOM也不被垃圾回收器回收,我們new的對象都是強引用

弱引用通過weakReference類來實現,它具有很強的不確定性,如果垃圾回收器掃描到有着WeakReference的對象,就會將其回收釋放內存


現在我們來看Universal-Image-Loader有哪些內存緩存策略

1. 只使用的是強引用緩存 

  • LruMemoryCache(這個類就是這個開源框架默認的內存緩存類,緩存的是bitmap的強引用,下面我會從源碼上面分析這個類)

2.使用強引用和弱引用相結合的緩存有

  • UsingFreqLimitedMemoryCache(如果緩存的圖片總量超過限定值,先刪除使用頻率最小的bitmap)
  • LRULimitedMemoryCache(這個也是使用的lru算法,和LruMemoryCache不同的是,他緩存的是bitmap的弱引用)
  • FIFOLimitedMemoryCache(先進先出的緩存策略,當超過設定值,先刪除最先加入緩存的bitmap)
  • LargestLimitedMemoryCache(當超過緩存限定值,先刪除最大的bitmap對象)
  • LimitedAgeMemoryCache(當 bitmap加入緩存中的時間超過我們設定的值,將其刪除)

3.只使用弱引用緩存

  • WeakMemoryCache(這個類緩存bitmap的總大小沒有限制,唯一不足的地方就是不穩定,緩存的圖片容易被回收掉)

上面介紹了Universal-Image-Loader所提供的所有的內存緩存的類,當然我們也可以使用我們自己寫的內存緩存類,我們還要看看要怎麼將這些內存緩存加入到我們的項目中,我們只需要配置ImageLoaderConfiguration.memoryCache(...),如下

[java] view plaincopy在CODE上查看代碼片派生到我的代碼片
  1. ImageLoaderConfiguration configuration = new ImageLoaderConfiguration.Builder(this)  
  2.         .memoryCache(new WeakMemoryCache())  
  3.         .build();  

下面我們來分析LruMemoryCache這個類的源代碼

[java] view plaincopy在CODE上查看代碼片派生到我的代碼片
  1. package com.nostra13.universalimageloader.cache.memory.impl;  
  2.   
  3. import android.graphics.Bitmap;  
  4. import com.nostra13.universalimageloader.cache.memory.MemoryCacheAware;  
  5.   
  6. import java.util.Collection;  
  7. import java.util.HashSet;  
  8. import java.util.LinkedHashMap;  
  9. import java.util.Map;  
  10.   
  11. /** 
  12.  * A cache that holds strong references to a limited number of Bitmaps. Each time a Bitmap is accessed, it is moved to 
  13.  * the head of a queue. When a Bitmap is added to a full cache, the Bitmap at the end of that queue is evicted and may 
  14.  * become eligible for garbage collection.<br /> 
  15.  * <br /> 
  16.  * <b>NOTE:</b> This cache uses only strong references for stored Bitmaps. 
  17.  * 
  18.  * @author Sergey Tarasevich (nostra13[at]gmail[dot]com) 
  19.  * @since 1.8.1 
  20.  */  
  21. public class LruMemoryCache implements MemoryCacheAware<String, Bitmap> {  
  22.   
  23.     private final LinkedHashMap<String, Bitmap> map;  
  24.   
  25.     private final int maxSize;  
  26.     /** Size of this cache in bytes */  
  27.     private int size;  
  28.   
  29.     /** @param maxSize Maximum sum of the sizes of the Bitmaps in this cache */  
  30.     public LruMemoryCache(int maxSize) {  
  31.         if (maxSize <= 0) {  
  32.             throw new IllegalArgumentException("maxSize <= 0");  
  33.         }  
  34.         this.maxSize = maxSize;  
  35.         this.map = new LinkedHashMap<String, Bitmap>(00.75f, true);  
  36.     }  
  37.   
  38.     /** 
  39.      * Returns the Bitmap for {@code key} if it exists in the cache. If a Bitmap was returned, it is moved to the head 
  40.      * of the queue. This returns null if a Bitmap is not cached. 
  41.      */  
  42.     @Override  
  43.     public final Bitmap get(String key) {  
  44.         if (key == null) {  
  45.             throw new NullPointerException("key == null");  
  46.         }  
  47.   
  48.         synchronized (this) {  
  49.             return map.get(key);  
  50.         }  
  51.     }  
  52.   
  53.     /** Caches {@code Bitmap} for {@code key}. The Bitmap is moved to the head of the queue. */  
  54.     @Override  
  55.     public final boolean put(String key, Bitmap value) {  
  56.         if (key == null || value == null) {  
  57.             throw new NullPointerException("key == null || value == null");  
  58.         }  
  59.   
  60.         synchronized (this) {  
  61.             size += sizeOf(key, value);  
  62.             Bitmap previous = map.put(key, value);  
  63.             if (previous != null) {  
  64.                 size -= sizeOf(key, previous);  
  65.             }  
  66.         }  
  67.   
  68.         trimToSize(maxSize);  
  69.         return true;  
  70.     }  
  71.   
  72.     /** 
  73.      * Remove the eldest entries until the total of remaining entries is at or below the requested size. 
  74.      * 
  75.      * @param maxSize the maximum size of the cache before returning. May be -1 to evict even 0-sized elements. 
  76.      */  
  77.     private void trimToSize(int maxSize) {  
  78.         while (true) {  
  79.             String key;  
  80.             Bitmap value;  
  81.             synchronized (this) {  
  82.                 if (size < 0 || (map.isEmpty() && size != 0)) {  
  83.                     throw new IllegalStateException(getClass().getName() + ".sizeOf() is reporting inconsistent results!");  
  84.                 }  
  85.   
  86.                 if (size <= maxSize || map.isEmpty()) {  
  87.                     break;  
  88.                 }  
  89.   
  90.                 Map.Entry<String, Bitmap> toEvict = map.entrySet().iterator().next();  
  91.                 if (toEvict == null) {  
  92.                     break;  
  93.                 }  
  94.                 key = toEvict.getKey();  
  95.                 value = toEvict.getValue();  
  96.                 map.remove(key);  
  97.                 size -= sizeOf(key, value);  
  98.             }  
  99.         }  
  100.     }  
  101.   
  102.     /** Removes the entry for {@code key} if it exists. */  
  103.     @Override  
  104.     public final void remove(String key) {  
  105.         if (key == null) {  
  106.             throw new NullPointerException("key == null");  
  107.         }  
  108.   
  109.         synchronized (this) {  
  110.             Bitmap previous = map.remove(key);  
  111.             if (previous != null) {  
  112.                 size -= sizeOf(key, previous);  
  113.             }  
  114.         }  
  115.     }  
  116.   
  117.     @Override  
  118.     public Collection<String> keys() {  
  119.         synchronized (this) {  
  120.             return new HashSet<String>(map.keySet());  
  121.         }  
  122.     }  
  123.   
  124.     @Override  
  125.     public void clear() {  
  126.         trimToSize(-1); // -1 will evict 0-sized elements  
  127.     }  
  128.   
  129.     /** 
  130.      * Returns the size {@code Bitmap} in bytes. 
  131.      * <p/> 
  132.      * An entry's size must not change while it is in the cache. 
  133.      */  
  134.     private int sizeOf(String key, Bitmap value) {  
  135.         return value.getRowBytes() * value.getHeight();  
  136.     }  
  137.   
  138.     @Override  
  139.     public synchronized final String toString() {  
  140.         return String.format("LruCache[maxSize=%d]", maxSize);  
  141.     }  
  142. }  
我們可以看到這個類中維護的是一個LinkedHashMap,在LruMemoryCache構造函數中我們可以看到,我們爲其設置了一個緩存圖片的最大值maxSize,並實例化LinkedHashMap, 而從LinkedHashMap構造函數的第三個參數爲ture,表示它是按照訪問順序進行排序的,
我們來看將bitmap加入到LruMemoryCache的方法put(String key, Bitmap value),  第61行,sizeOf()是計算每張圖片所佔的byte數,size是記錄當前緩存bitmap的總大小,如果該key之前就緩存了bitmap,我們需要將之前的bitmap減掉去,接下來看trimToSize()方法,我們直接看86行,如果當前緩存的bitmap總數小於設定值maxSize,不做任何處理,如果當前緩存的bitmap總數大於maxSize,刪除LinkedHashMap中的第一個元素,size中減去該bitmap對應的byte數

我們可以看到該緩存類比較簡單,邏輯也比較清晰,如果大家想知道其他內存緩存的邏輯,可以去分析分析其源碼,在這裏我簡單說下FIFOLimitedMemoryCache的實現邏輯,該類使用的HashMap來緩存bitmap的弱引用,然後使用LinkedList來保存成功加入到FIFOLimitedMemoryCache的bitmap的強引用,如果加入的FIFOLimitedMemoryCache的bitmap總數超過限定值,直接刪除LinkedList的第一個元素,所以就實現了先進先出的緩存策略,其他的緩存都類似,有興趣的可以去看看。


硬盤緩存


接下來就給大家分析分析硬盤緩存的策略,這個框架也提供了幾種常見的緩存策略,當然如果你覺得都不符合你的要求,你也可以自己去擴展

  • FileCountLimitedDiscCache(可以設定緩存圖片的個數,當超過設定值,刪除掉最先加入到硬盤的文件)
  • LimitedAgeDiscCache(設定文件存活的最長時間,當超過這個值,就刪除該文件)
  • TotalSizeLimitedDiscCache(設定緩存bitmap的最大值,當超過這個值,刪除最先加入到硬盤的文件)
  • UnlimitedDiscCache(這個緩存類沒有任何的限制)

下面我們就來分析分析TotalSizeLimitedDiscCache的源碼實現

[java] view plaincopy在CODE上查看代碼片派生到我的代碼片
  1. /******************************************************************************* 
  2.  * Copyright 2011-2013 Sergey Tarasevich 
  3.  * 
  4.  * Licensed under the Apache License, Version 2.0 (the "License"); 
  5.  * you may not use this file except in compliance with the License. 
  6.  * You may obtain a copy of the License at 
  7.  * 
  8.  * http://www.apache.org/licenses/LICENSE-2.0 
  9.  * 
  10.  * Unless required by applicable law or agreed to in writing, software 
  11.  * distributed under the License is distributed on an "AS IS" BASIS, 
  12.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 
  13.  * See the License for the specific language governing permissions and 
  14.  * limitations under the License. 
  15.  *******************************************************************************/  
  16. package com.nostra13.universalimageloader.cache.disc.impl;  
  17.   
  18. import com.nostra13.universalimageloader.cache.disc.LimitedDiscCache;  
  19. import com.nostra13.universalimageloader.cache.disc.naming.FileNameGenerator;  
  20. import com.nostra13.universalimageloader.core.DefaultConfigurationFactory;  
  21. import com.nostra13.universalimageloader.utils.L;  
  22.   
  23. import java.io.File;  
  24.   
  25. /** 
  26.  * Disc cache limited by total cache size. If cache size exceeds specified limit then file with the most oldest last 
  27.  * usage date will be deleted. 
  28.  * 
  29.  * @author Sergey Tarasevich (nostra13[at]gmail[dot]com) 
  30.  * @see LimitedDiscCache 
  31.  * @since 1.0.0 
  32.  */  
  33. public class TotalSizeLimitedDiscCache extends LimitedDiscCache {  
  34.   
  35.     private static final int MIN_NORMAL_CACHE_SIZE_IN_MB = 2;  
  36.     private static final int MIN_NORMAL_CACHE_SIZE = MIN_NORMAL_CACHE_SIZE_IN_MB * 1024 * 1024;  
  37.   
  38.     /** 
  39.      * @param cacheDir     Directory for file caching. <b>Important:</b> Specify separate folder for cached files. It's 
  40.      *                     needed for right cache limit work. 
  41.      * @param maxCacheSize Maximum cache directory size (in bytes). If cache size exceeds this limit then file with the 
  42.      *                     most oldest last usage date will be deleted. 
  43.      */  
  44.     public TotalSizeLimitedDiscCache(File cacheDir, int maxCacheSize) {  
  45.         this(cacheDir, DefaultConfigurationFactory.createFileNameGenerator(), maxCacheSize);  
  46.     }  
  47.   
  48.     /** 
  49.      * @param cacheDir          Directory for file caching. <b>Important:</b> Specify separate folder for cached files. It's 
  50.      *                          needed for right cache limit work. 
  51.      * @param fileNameGenerator Name generator for cached files 
  52.      * @param maxCacheSize      Maximum cache directory size (in bytes). If cache size exceeds this limit then file with the 
  53.      *                          most oldest last usage date will be deleted. 
  54.      */  
  55.     public TotalSizeLimitedDiscCache(File cacheDir, FileNameGenerator fileNameGenerator, int maxCacheSize) {  
  56.         super(cacheDir, fileNameGenerator, maxCacheSize);  
  57.         if (maxCacheSize < MIN_NORMAL_CACHE_SIZE) {  
  58.             L.w("You set too small disc cache size (less than %1$d Mb)", MIN_NORMAL_CACHE_SIZE_IN_MB);  
  59.         }  
  60.     }  
  61.   
  62.     @Override  
  63.     protected int getSize(File file) {  
  64.         return (int) file.length();  
  65.     }  
  66. }  
這個類是繼承LimitedDiscCache,除了兩個構造函數之外,還重寫了getSize()方法,返回文件的大小,接下來我們就來看看LimitedDiscCache
[java] view plaincopy在CODE上查看代碼片派生到我的代碼片
  1. /******************************************************************************* 
  2.  * Copyright 2011-2013 Sergey Tarasevich 
  3.  * 
  4.  * Licensed under the Apache License, Version 2.0 (the "License"); 
  5.  * you may not use this file except in compliance with the License. 
  6.  * You may obtain a copy of the License at 
  7.  * 
  8.  * http://www.apache.org/licenses/LICENSE-2.0 
  9.  * 
  10.  * Unless required by applicable law or agreed to in writing, software 
  11.  * distributed under the License is distributed on an "AS IS" BASIS, 
  12.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 
  13.  * See the License for the specific language governing permissions and 
  14.  * limitations under the License. 
  15.  *******************************************************************************/  
  16. package com.nostra13.universalimageloader.cache.disc;  
  17.   
  18. import com.nostra13.universalimageloader.cache.disc.naming.FileNameGenerator;  
  19. import com.nostra13.universalimageloader.core.DefaultConfigurationFactory;  
  20.   
  21. import java.io.File;  
  22. import java.util.Collections;  
  23. import java.util.HashMap;  
  24. import java.util.Map;  
  25. import java.util.Map.Entry;  
  26. import java.util.Set;  
  27. import java.util.concurrent.atomic.AtomicInteger;  
  28.   
  29. /** 
  30.  * Abstract disc cache limited by some parameter. If cache exceeds specified limit then file with the most oldest last 
  31.  * usage date will be deleted. 
  32.  * 
  33.  * @author Sergey Tarasevich (nostra13[at]gmail[dot]com) 
  34.  * @see BaseDiscCache 
  35.  * @see FileNameGenerator 
  36.  * @since 1.0.0 
  37.  */  
  38. public abstract class LimitedDiscCache extends BaseDiscCache {  
  39.   
  40.     private static final int INVALID_SIZE = -1;  
  41.   
  42.     //記錄緩存文件的大小  
  43.     private final AtomicInteger cacheSize;  
  44.     //緩存文件的最大值  
  45.     private final int sizeLimit;  
  46.     private final Map<File, Long> lastUsageDates = Collections.synchronizedMap(new HashMap<File, Long>());  
  47.   
  48.     /** 
  49.      * @param cacheDir  Directory for file caching. <b>Important:</b> Specify separate folder for cached files. It's 
  50.      *                  needed for right cache limit work. 
  51.      * @param sizeLimit Cache limit value. If cache exceeds this limit then file with the most oldest last usage date 
  52.      *                  will be deleted. 
  53.      */  
  54.     public LimitedDiscCache(File cacheDir, int sizeLimit) {  
  55.         this(cacheDir, DefaultConfigurationFactory.createFileNameGenerator(), sizeLimit);  
  56.     }  
  57.   
  58.     /** 
  59.      * @param cacheDir          Directory for file caching. <b>Important:</b> Specify separate folder for cached files. It's 
  60.      *                          needed for right cache limit work. 
  61.      * @param fileNameGenerator Name generator for cached files 
  62.      * @param sizeLimit         Cache limit value. If cache exceeds this limit then file with the most oldest last usage date 
  63.      *                          will be deleted. 
  64.      */  
  65.     public LimitedDiscCache(File cacheDir, FileNameGenerator fileNameGenerator, int sizeLimit) {  
  66.         super(cacheDir, fileNameGenerator);  
  67.         this.sizeLimit = sizeLimit;  
  68.         cacheSize = new AtomicInteger();  
  69.         calculateCacheSizeAndFillUsageMap();  
  70.     }  
  71.   
  72.     /** 
  73.      * 另開線程計算cacheDir裏面文件的大小,並將文件和最後修改的毫秒數加入到Map中 
  74.      */  
  75.     private void calculateCacheSizeAndFillUsageMap() {  
  76.         new Thread(new Runnable() {  
  77.             @Override  
  78.             public void run() {  
  79.                 int size = 0;  
  80.                 File[] cachedFiles = cacheDir.listFiles();  
  81.                 if (cachedFiles != null) { // rarely but it can happen, don't know why  
  82.                     for (File cachedFile : cachedFiles) {  
  83.                         //getSize()是一個抽象方法,子類自行實現getSize()的邏輯  
  84.                         size += getSize(cachedFile);  
  85.                         //將文件的最後修改時間加入到map中  
  86.                         lastUsageDates.put(cachedFile, cachedFile.lastModified());  
  87.                     }  
  88.                     cacheSize.set(size);  
  89.                 }  
  90.             }  
  91.         }).start();  
  92.     }  
  93.   
  94.     /** 
  95.      * 將文件添加到Map中,並計算緩存文件的大小是否超過了我們設置的最大緩存數 
  96.      * 超過了就刪除最先加入的那個文件 
  97.      */  
  98.     @Override  
  99.     public void put(String key, File file) {  
  100.         //要加入文件的大小  
  101.         int valueSize = getSize(file);  
  102.           
  103.         //獲取當前緩存文件大小總數  
  104.         int curCacheSize = cacheSize.get();  
  105.         //判斷是否超過設定的最大緩存值  
  106.         while (curCacheSize + valueSize > sizeLimit) {  
  107.             int freedSize = removeNext();  
  108.             if (freedSize == INVALID_SIZE) break// cache is empty (have nothing to delete)  
  109.             curCacheSize = cacheSize.addAndGet(-freedSize);  
  110.         }  
  111.         cacheSize.addAndGet(valueSize);  
  112.   
  113.         Long currentTime = System.currentTimeMillis();  
  114.         file.setLastModified(currentTime);  
  115.         lastUsageDates.put(file, currentTime);  
  116.     }  
  117.   
  118.     /** 
  119.      * 根據key生成文件 
  120.      */  
  121.     @Override  
  122.     public File get(String key) {  
  123.         File file = super.get(key);  
  124.   
  125.         Long currentTime = System.currentTimeMillis();  
  126.         file.setLastModified(currentTime);  
  127.         lastUsageDates.put(file, currentTime);  
  128.   
  129.         return file;  
  130.     }  
  131.   
  132.     /** 
  133.      * 硬盤緩存的清理 
  134.      */  
  135.     @Override  
  136.     public void clear() {  
  137.         lastUsageDates.clear();  
  138.         cacheSize.set(0);  
  139.         super.clear();  
  140.     }  
  141.   
  142.       
  143.     /** 
  144.      * 獲取最早加入的緩存文件,並將其刪除 
  145.      */  
  146.     private int removeNext() {  
  147.         if (lastUsageDates.isEmpty()) {  
  148.             return INVALID_SIZE;  
  149.         }  
  150.         Long oldestUsage = null;  
  151.         File mostLongUsedFile = null;  
  152.           
  153.         Set<Entry<File, Long>> entries = lastUsageDates.entrySet();  
  154.         synchronized (lastUsageDates) {  
  155.             for (Entry<File, Long> entry : entries) {  
  156.                 if (mostLongUsedFile == null) {  
  157.                     mostLongUsedFile = entry.getKey();  
  158.                     oldestUsage = entry.getValue();  
  159.                 } else {  
  160.                     Long lastValueUsage = entry.getValue();  
  161.                     if (lastValueUsage < oldestUsage) {  
  162.                         oldestUsage = lastValueUsage;  
  163.                         mostLongUsedFile = entry.getKey();  
  164.                     }  
  165.                 }  
  166.             }  
  167.         }  
  168.   
  169.         int fileSize = 0;  
  170.         if (mostLongUsedFile != null) {  
  171.             if (mostLongUsedFile.exists()) {  
  172.                 fileSize = getSize(mostLongUsedFile);  
  173.                 if (mostLongUsedFile.delete()) {  
  174.                     lastUsageDates.remove(mostLongUsedFile);  
  175.                 }  
  176.             } else {  
  177.                 lastUsageDates.remove(mostLongUsedFile);  
  178.             }  
  179.         }  
  180.         return fileSize;  
  181.     }  
  182.   
  183.     /** 
  184.      * 抽象方法,獲取文件大小 
  185.      * @param file 
  186.      * @return 
  187.      */  
  188.     protected abstract int getSize(File file);  
  189. }  
在構造方法中,第69行有一個方法calculateCacheSizeAndFillUsageMap(),該方法是計算cacheDir的文件大小,並將文件和文件的最後修改時間加入到Map中

然後是將文件加入硬盤緩存的方法put(),在106行判斷當前文件的緩存總數加上即將要加入緩存的文件大小是否超過緩存設定值,如果超過了執行removeNext()方法,接下來就來看看這個方法的具體實現,150-167中找出最先加入硬盤的文件,169-180中將其從文件硬盤中刪除,並返回該文件的大小,刪除成功之後成員變量cacheSize需要減掉改文件大小。

FileCountLimitedDiscCache這個類實現邏輯跟TotalSizeLimitedDiscCache是一樣的,區別在於getSize()方法,前者返回1,表示爲文件數是1,後者返回文件的大小。

等我寫完了這篇文章,我才發現FileCountLimitedDiscCache和TotalSizeLimitedDiscCache在最新的源碼中已經刪除了,加入了LruDiscCache,由於我的是之前的源碼,所以我也不改了,大家如果想要了解LruDiscCache可以去看最新的源碼,我這裏就不介紹了,還好內存緩存的沒變化,下面分析的是最新的源碼中的部分,我們在使用中可以不自行配置硬盤緩存策略,直接用DefaultConfigurationFactory中的就行了

我們看DefaultConfigurationFactory這個類的createDiskCache()方法

[java] view plaincopy在CODE上查看代碼片派生到我的代碼片
  1. /** 
  2.  * Creates default implementation of {@link DiskCache} depends on incoming parameters 
  3.  */  
  4. public static DiskCache createDiskCache(Context context, FileNameGenerator diskCacheFileNameGenerator,  
  5.         long diskCacheSize, int diskCacheFileCount) {  
  6.     File reserveCacheDir = createReserveDiskCacheDir(context);  
  7.     if (diskCacheSize > 0 || diskCacheFileCount > 0) {  
  8.         File individualCacheDir = StorageUtils.getIndividualCacheDirectory(context);  
  9.         LruDiscCache diskCache = new LruDiscCache(individualCacheDir, diskCacheFileNameGenerator, diskCacheSize,  
  10.                 diskCacheFileCount);  
  11.         diskCache.setReserveCacheDir(reserveCacheDir);  
  12.         return diskCache;  
  13.     } else {  
  14.         File cacheDir = StorageUtils.getCacheDirectory(context);  
  15.         return new UnlimitedDiscCache(cacheDir, reserveCacheDir, diskCacheFileNameGenerator);  
  16.     }  
  17. }  
如果我們在ImageLoaderConfiguration中配置了diskCacheSize和diskCacheFileCount,他就使用的是LruDiscCache,否則使用的是UnlimitedDiscCache,在最新的源碼中還有一個硬盤緩存類可以配置,那就是LimitedAgeDiscCache,可以在ImageLoaderConfiguration.diskCache(...)配置

文章轉自:http://blog.csdn.net/xiaanming/article/details/27525741

感謝博主的無私分享!

發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章