当前位置:   article > 正文

Android缓存策略_entryremoved

entryremoved

在Android中缓存策略有着广泛的应用场景,尤其是在图片加载从应用场景下,基本上都要用到缓存。因为图片加载需要消耗很大量的流量,在移动应用开发中不能过多的消耗用户的流量,一是因为流量是收费的,第二是过大的请求量会造成图片加载很慢用户体验不好。因此在图片加载过成功就要使用到缓存。

图片缓存就是当程序第一次从网络加载图片之后,将图片缓存到移动设备上,下一使用这张图片的时候直接从存储中读取,就不用再从网络加载该图片,这样既可以节省流量,又可以很快的加载出图片,提升用户体验。在很多图片加载框架中,不仅仅是将图片存储到设备上,很多时候为了更好的提高加载效率,经常还会把图片在内存中缓存一份,这样下次再次使用此图片的时候,就可以从内存中直接读取,因为内存中直接加载图片比读取存储中的还要快。其实这种方式也适用于其他的文件类型。

那么什么是缓存策略呢?缓存策略主要包含缓存的添加,读取和删除这三个操作。添加和读取没有什么好说的,缓存策略主要是删除这块,因为移动设备存储空间以及内存都是有限的,因此在使用缓存的时候要指定最大的缓存空间,当分配的缓存空间占用完之后如果还要缓存新的东西就要删除一些就的缓存,怎么样去定义缓存新旧这就是一种策略,不同的策略就要用到不同的缓存算法。

目前常用的一种缓存算法是Least Recently Used,简称:LRU,LRU是近期最少使用算法,它的核心机制是当缓存控件满时,会优先淘汰那些近期最少使用的缓存对象。采用LRU算法的缓存有:LruCache以及DiskLruCache,LruCache用于实现内存缓存,DiskLruCache用于实现存储设备缓存,因此通过这二者的结合使用,就可以很方便地实现一个高效的ImageLoader。

LRU实现原理图:

1. LruCache

LruCache是Android3.1所提供的一个缓存类,通过support-v4可以兼容到早期的Android版本,但是目前基本上都是Android4+了吧,那些还在兼容Android4以下同学你们辛苦了。

LruCache是一个泛型类,LruCache是线程安全的。线程安全就是说多线程访问同一代码,不会产生不确定的结果。编写线程安全的代码是低依靠线程同步。内部用一个LinkedHashMap以强引用的方式存储外界的缓存对象,提供了get和set对象来完成缓存的获取和添加操作,当缓存满时,会移除较早使用的缓存对象,然后再添加新的缓存对象。下面说明下强引用、弱引用、软引用的区别;

下面是LruCache的源码:

  1. package android.util;
  2. import java.util.LinkedHashMap;
  3. import java.util.Map;
  4. public class LruCache<K, V> {
  5. private final LinkedHashMap<K, V> map;
  6. private int size;
  7. private int maxSize;
  8. private int putCount;
  9. private int createCount;
  10. private int evictionCount;
  11. private int hitCount;
  12. private int missCount;
  13. public LruCache(int maxSize) {
  14. if (maxSize <= 0) {
  15. throw new IllegalArgumentException("maxSize <= 0");
  16. }
  17. this.maxSize = maxSize;
  18. this.map = new LinkedHashMap<K, V>(0, 0.75f, true);
  19. }
  20. public void resize(int maxSize) {
  21. if (maxSize <= 0) {
  22. throw new IllegalArgumentException("maxSize <= 0");
  23. }
  24. synchronized (this) {
  25. this.maxSize = maxSize;
  26. }
  27. trimToSize(maxSize);
  28. }
  29. public final V get(K key) {
  30. if (key == null) {
  31. throw new NullPointerException("key == null");
  32. }
  33. V mapValue;
  34. synchronized (this) {
  35. mapValue = map.get(key);
  36. if (mapValue != null) {
  37. hitCount++;
  38. return mapValue;
  39. }
  40. missCount++;
  41. }
  42. V createdValue = create(key);
  43. if (createdValue == null) {
  44. return null;
  45. }
  46. synchronized (this) {
  47. createCount++;
  48. mapValue = map.put(key, createdValue);
  49. if (mapValue != null) {
  50. // There was a conflict so undo that last put
  51. map.put(key, mapValue);
  52. } else {
  53. size += safeSizeOf(key, createdValue);
  54. }
  55. }
  56. if (mapValue != null) {
  57. entryRemoved(false, key, createdValue, mapValue);
  58. return mapValue;
  59. } else {
  60. trimToSize(maxSize);
  61. return createdValue;
  62. }
  63. }
  64. public final V put(K key, V value) {
  65. if (key == null || value == null) {
  66. throw new NullPointerException("key == null || value == null");
  67. }
  68. V previous;
  69. synchronized (this) {
  70. putCount++;
  71. size += safeSizeOf(key, value);
  72. previous = map.put(key, value);
  73. if (previous != null) {
  74. size -= safeSizeOf(key, previous);
  75. }
  76. }
  77. if (previous != null) {
  78. entryRemoved(false, key, previous, value);
  79. }
  80. trimToSize(maxSize);
  81. return previous;
  82. }
  83. public void trimToSize(int maxSize) {
  84. while (true) {
  85. K key;
  86. V value;
  87. synchronized (this) {
  88. if (size < 0 || (map.isEmpty() && size != 0)) {
  89. throw new IllegalStateException(getClass().getName()
  90. + ".sizeOf() is reporting inconsistent results!");
  91. }
  92. if (size <= maxSize) {
  93. break;
  94. }
  95. Map.Entry<K, V> toEvict = map.eldest();
  96. if (toEvict == null) {
  97. break;
  98. }
  99. key = toEvict.getKey();
  100. value = toEvict.getValue();
  101. map.remove(key);
  102. size -= safeSizeOf(key, value);
  103. evictionCount++;
  104. }
  105. entryRemoved(true, key, value, null);
  106. }
  107. }
  108. public final V remove(K key) {
  109. if (key == null) {
  110. throw new NullPointerException("key == null");
  111. }
  112. V previous;
  113. synchronized (this) {
  114. previous = map.remove(key);
  115. if (previous != null) {
  116. size -= safeSizeOf(key, previous);
  117. }
  118. }
  119. if (previous != null) {
  120. entryRemoved(false, key, previous, null);
  121. }
  122. return previous;
  123. }
  124. protected void entryRemoved(boolean evicted, K key, V oldValue, V newValue) {}
  125. protected V create(K key) {
  126. return null;
  127. }
  128. private int safeSizeOf(K key, V value) {
  129. int result = sizeOf(key, value);
  130. if (result < 0) {
  131. throw new IllegalStateException("Negative size: " + key + "=" + value);
  132. }
  133. return result;
  134. }
  135. protected int sizeOf(K key, V value) {
  136. return 1;
  137. }
  138. public final void evictAll() {
  139. trimToSize(-1); // -1 will evict 0-sized elements
  140. }
  141. public synchronized final int size() {
  142. return size;
  143. }
  144. public synchronized final int maxSize() {
  145. return maxSize;
  146. }
  147. public synchronized final int hitCount() {
  148. return hitCount;
  149. }
  150. public synchronized final int missCount() {
  151. return missCount;
  152. }
  153. public synchronized final int createCount() {
  154. return createCount;
  155. }
  156. public synchronized final int putCount() {
  157. return putCount;
  158. }
  159. public synchronized final int evictionCount() {
  160. return evictionCount;
  161. }
  162. public synchronized final Map<K, V> snapshot() {
  163. return new LinkedHashMap<K, V>(map);
  164. }
  165. @Override public synchronized final String toString() {
  166. int accesses = hitCount + missCount;
  167. int hitPercent = accesses != 0 ? (100 * hitCount / accesses) : 0;
  168. return String.format("LruCache[maxSize=%d,hits=%d,misses=%d,hitRate=%d%%]",
  169. maxSize, hitCount, missCount, hitPercent);
  170. }
  171. }

LruCache代码实现其实很简单,全部代码猜不到400行,这还是包含了注释的。

LruCache使用很简单,以图片缓存为例介绍基本使用方法,代码如下:

  1. int maxMemory = (int) (Runtime.getRuntime().totalMemory()/1024);
  2. int cacheSize = maxMemory/8;
  3. LruCache<String,Bitmap> bitmapLruCache=new LruCache<String,Bitmap>(cacheSize){
  4. @Override
  5. protected int sizeOf(String key, Bitmap value) {
  6. return value.getRowBytes()*value.getHeight()/1024;
  7. }
  8. };

上述代码中我们只需要提供缓存的总容量大小并重写sizeOf方法就可以,sizeOf方法是用来计算缓存对象的大小,这里的大小单位需要和总量单位一致。在一些特殊情况下还需要重写entryRemoved方法,LruCache移除旧缓存时回调用entryRemoved方法,因此可以在entryRemoved中做一些资源回收工作。

2. DiskLruCache

DiskLruCache主要用来实现存储设备缓存,就是缓存到移动设备存储空间上。它通过将缓存对象写入文件系统来实现缓存效果。DiskLruCache不是AndroidSDK的一部分,但是得到了Android官方的推荐。

DiskLruCache地址:
https://android.googlesource.com/platform/libcore/+/android-4.1.1_r1/luni/src/main/java/libcore/io/DiskLruCache.java

其他地址:
https://github.com/JakeWharton/DiskLruCache

第二个可以做直接打开,第一个需要科学上网……

DiskLruCache的常用方法:

DiskLruCache的创建

DiskLruCache不能通过构造方法创建,需要用它提供的open方法来创建自身,代码如下:

  1. public static DiskLruCache open(File directory, int appVersion, int valueCount, long maxSize)
  2. throws IOException {
  3. ……
  4. }

open有四个入参,具体说明如下:

directory表示磁盘缓存在文件系统中的存储路径,如果应用卸载希望删除缓存文件,就可以设置在SD卡上的缓存目录,具体是/sdcard/Android/data/package_name/cache,其中package_name是应用包名,如果希望卸载后保留,就选择SD卡上面的其他路径。

appVersion表示当前应用的版本号,一般设置为1。

valueCount表示单个节点所对应的数据的个数,一般设置为1。

maxSize表示缓存的总大小,当缓存超出这个设定值后,DiskLruCache会清除之前的缓存数据。

DiskLruCache缓存的添加

DiskLruCache的缓存添加操作是通多Editor来完成的,这里还是用图片来说明,首先需要获取图片的url所对应的key,然后根据key通过edit()来获取Editor对象,代码如下:

  1. private String hashKeyFromUrl(String url){
  2. String cacheKey="";
  3. try{
  4. final MessageDigest mDigest=MessageDigest.getInstance("MD5");
  5. mDigest.update(url.getBytes());
  6. }catch (Exception e){
  7. cacheKey=String.valueOf(url.hashCode());
  8. }
  9. return cacheKey;
  10. }
  11. private String byteToHexString(byte[] bytes){
  12. StringBuilder sb=new StringBuilder();
  13. for (int i=0;i<bytes.length;i++){
  14. String hex=Integer.toHexString(0xFF&bytes[i]);
  15. if (hex.length()==1){
  16. sb.append('0');
  17. }
  18. sb.append(hex);
  19. }
  20. return sb.toString();
  21. }

通过将图片的url转成key之后就可以获取到Editor对象,通过这个Editor对象就可以得到一个文件输出流,如下所示:

  1. DiskLruCache.Editor editor=diskLruCache.edit(key);
  2. if (editor!=null){
  3. OutputStream outputStream=editor.newOutputStream(0);
  4. }

接着我们就可以通过这个文件输出流将文件写入到文件系统上,代码如下:

  1. public boolean dowloadUrlToStream(String urlString, OutputStream outputStream){
  2. HttpURLConnection urlConnection=null;
  3. BufferedOutputStream out=null;
  4. BufferedInputStream in=null;
  5. try{
  6. final URL url=new URL(urlString);
  7. urlConnection=(HttpURLConnection) url.openConnection();
  8. in=new BufferedInputStream(urlConnection.getInputStream(),IO_BUFFER_SIZE);
  9. out=new BufferedOutputStream(outputStream,IO_BUFFER_SIZE);
  10. int b;
  11. while ((b=in.read())!=-1){
  12. out.write(b);
  13. }
  14. return true;
  15. }catch (Exception e){
  16. }finally {
  17. if (urlConnection!=null){
  18. urlConnection.disconnect();
  19. }
  20. try {
  21. out.close();
  22. in.close();
  23. }catch (Exception e){
  24. }
  25. }
  26. return false;
  27. }

通过上述代码,此时图片还还没有真正的写入文件系统,还需要通过Editor的commit()方法来提交写入操作,如果下载图片过程出现异常还可以通过Editor的abort()来回退整个操作,代码如下:

  1. if (dowloadUrlToStream(url,outputStream)){
  2. editor.commit();
  3. }else {
  4. editor.abort();
  5. }
  6. diskLruCache.flush();

DiskLruCache缓存的查找

缓存查找跟缓存添加过程传阿布多,同样需要将文件的url转换为key,然后通过DiskLruCache的get方法获取到一个Snapshot对象,然后通过Snapshot对象就可以得到文件的输出流,再将输出流转换为Bitmap对象,代码如下:

  1. String key=hashKeyFromUrl(url);
  2. Bitmap bitmap=null;
  3. DiskLruCache.Snapshot snapshot=diskLruCache.get(key);
  4. if (snapshot!=null){
  5. FileInputStream fileInputStream=(FileInputStream)snapshot.getInputStream(0);
  6. FileDescriptor fileDescriptor=fileInputStream.getFD();
  7. bitmap=decodeSampledBitmapFromFileDescriptor(fileDescriptor,100,100);
  8. }
  9. public Bitmap decodeSampledBitmapFromFileDescriptor(FileDescriptor fd, int reqWidth, int reqHeight) {
  10. // First decode with inJustDecodeBounds=true to check dimensions
  11. final BitmapFactory.Options options = new BitmapFactory.Options();
  12. options.inJustDecodeBounds = true;
  13. BitmapFactory.decodeFileDescriptor(fd, null, options);
  14. // Calculate inSampleSize
  15. options.inSampleSize = calculateInSampleSize(options, reqWidth,
  16. reqHeight);
  17. // Decode bitmap with inSampleSize set
  18. options.inJustDecodeBounds = false;
  19. return BitmapFactory.decodeFileDescriptor(fd, null, options);
  20. }
  21. public int calculateInSampleSize(BitmapFactory.Options options,
  22. int reqWidth, int reqHeight) {
  23. if (reqWidth == 0 || reqHeight == 0) {
  24. return 1;
  25. }
  26. // Raw height and width of image
  27. final int height = options.outHeight;
  28. final int width = options.outWidth;
  29. // Log.d(TAG, "origin, w= " + width + " h=" + height);
  30. int inSampleSize = 1;
  31. if (height > reqHeight || width > reqWidth) {
  32. final int halfHeight = height / 2;
  33. final int halfWidth = width / 2;
  34. // Calculate the largest inSampleSize value that is a power of 2 and
  35. // keeps both
  36. // height and width larger than the requested height and width.
  37. while ((halfHeight / inSampleSize) >= reqHeight
  38. && (halfWidth / inSampleSize) >= reqWidth) {
  39. inSampleSize *= 2;
  40. }
  41. }
  42. // Log.d(TAG, "sampleSize:" + inSampleSize);
  43. return inSampleSize;
  44. }

缓存策略就介绍到这里,感兴趣的童鞋可以自己试着写一个ImageLoader。

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/2023面试高手/article/detail/283763
推荐阅读
相关标签
  

闽ICP备14008679号