DiskLruCache

转载请注明出处:http://blog.csdn.net/guolin_blog/article/details/28863651

概述

记得在很早之前,我有写过一篇文章Android高效加载大图、多图解决方案,有效避免程序OOM,这篇文章是翻译自Android Doc的,其中防止多图OOM的核心解决思路就是使用LruCache技术。但LruCache只是管理了内存中图片的存储与释放,如果图片从内存中被移除的话,那么又需要从网络上重新加载一次图片,这显然非常耗时。对此,Google又提供了一套硬盘缓存的解决方案:DiskLruCache(非Google官方编写,但获得官方认证)。只可惜,Android Doc中并没有对DiskLruCache的用法给出详细的说明,而网上关于DiskLruCache的资料也少之又少,因此今天我准备专门写一篇博客来详细讲解DiskLruCache的用法,以及分析它的工作原理,这应该也是目前网上关于DiskLruCache最详细的资料了。

那么我们先来看一下有哪些应用程序已经使用了DiskLruCache技术。在我所接触的应用范围里,Dropbox、Twitter、网易新闻等都是使用DiskLruCache来进行硬盘缓存的,其中Dropbox和Twitter大多数人应该都没用过,那么我们就从大家最熟悉的网易新闻开始着手分析,来对DiskLruCache有一个最初的认识吧。

初探

相信所有人都知道,网易新闻中的数据都是从网络上获取的,包括了很多的新闻内容和新闻图片,如下图所示:


但是不知道大家有没有发现,这些内容和图片在从网络上获取到之后都会存入到本地缓存中,因此即使手机在没有网络的情况下依然能够加载出以前浏览过的新闻。而使用的缓存技术不用多说,自然是DiskLruCache了,那么首先第一个问题,这些数据都被缓存在了手机的什么位置呢?

其实DiskLruCache并没有限制数据的缓存位置,可以自由地进行设定,但是通常情况下多数应用程序都会将缓存的位置选择为 /sdcard/Android/data/<application package>/cache 这个路径。选择在这个位置有两点好处:第一,这是存储在SD卡上的,因此即使缓存再多的数据也不会对手机的内置存储空间有任何影响,只要SD卡空间足够就行。第二,这个路径被Android系统认定为应用程序的缓存路径,当程序被卸载的时候,这里的数据也会一起被清除掉,这样就不会出现删除程序之后手机上还有很多残留数据的问题。

那么这里还是以网易新闻为例,它的客户端的包名是com.netease.newsreader.activity,因此数据缓存地址就应该是 /sdcard/Android/data/com.netease.newsreader.activity/cache ,我们进入到这个目录中看一下,结果如下图所示:


可以看到有很多个文件夹,因为网易新闻对多种类型的数据都进行了缓存,这里简单起见我们只分析图片缓存就好,所以进入到bitmap文件夹当中。然后你将会看到一堆文件名很长的文件,这些文件命名没有任何规则,完全看不懂是什么意思,但如果你一直向下滚动,将会看到一个名为journal的文件,如下图所示:


那么这些文件到底都是什么呢?看到这里相信有些朋友已经是一头雾水了,这里我简单解释一下。上面那些文件名很长的文件就是一张张缓存的图片,每个文件都对应着一张图片,而journal文件是DiskLruCache的一个日志文件,程序对每张图片的操作记录都存放在这个文件中,基本上看到journal这个文件就标志着该程序使用DiskLruCache技术了。

下载

好了,对DiskLruCache有了最初的认识之后,下面我们来学习一下DiskLruCache的用法吧。由于DiskLruCache并不是由Google官方编写的,所以这个类并没有被包含在Android API当中,我们需要将这个类从网上下载下来,然后手动添加到项目当中。DiskLruCache的源码在Google Source上,地址如下:

android.googlesource.com/platform/libcore/+/jb-mr2-release/luni/src/main/java/libcore/io/DiskLruCache.java

如果Google Source打不开的话,也可以点击这里下载DiskLruCache的源码。下载好了源码之后,只需要在项目中新建一个libcore.io包,然后将DiskLruCache.java文件复制到这个包中即可。

打开缓存

这样的话我们就把准备工作做好了,下面看一下DiskLruCache到底该如何使用。首先你要知道,DiskLruCache是不能new出实例的,如果我们要创建一个DiskLruCache的实例,则需要调用它的open()方法,接口如下所示:

  1. public static DiskLruCache open(File directory, int appVersion, int valueCount, long maxSize)
public static DiskLruCache open(File directory, int appVersion, int valueCount, long maxSize)
open()方法接收四个参数,第一个参数指定的是数据的缓存地址,第二个参数指定当前应用程序的版本号,第三个参数指定同一个key可以对应多少个缓存文件,基本都是传1,第四个参数指定最多可以缓存多少字节的数据。

其中缓存地址前面已经说过了,通常都会存放在 /sdcard/Android/data/<application package>/cache 这个路径下面,但同时我们又需要考虑如果这个手机没有SD卡,或者SD正好被移除了的情况,因此比较优秀的程序都会专门写一个方法来获取缓存地址,如下所示:

  1. public File getDiskCacheDir(Context context, String uniqueName) {
  2. String cachePath;
  3. if (Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState())
  4. || !Environment.isExternalStorageRemovable()) {
  5. cachePath = context.getExternalCacheDir().getPath();
  6. } else {
  7. cachePath = context.getCacheDir().getPath();
  8. }
  9. return new File(cachePath + File.separator + uniqueName);
  10. }
public File getDiskCacheDir(Context context, String uniqueName) {
	String cachePath;
	if (Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState())
			|| !Environment.isExternalStorageRemovable()) {
		cachePath = context.getExternalCacheDir().getPath();
	} else {
		cachePath = context.getCacheDir().getPath();
	}
	return new File(cachePath + File.separator + uniqueName);
}
可以看到,当SD卡存在或者SD卡不可被移除的时候,就调用getExternalCacheDir()方法来获取缓存路径,否则就调用getCacheDir()方法来获取缓存路径。前者获取到的就是 /sdcard/Android/data/<application package>/cache 这个路径,而后者获取到的是 /data/data/<application package>/cache 这个路径。

接着又将获取到的路径和一个uniqueName进行拼接,作为最终的缓存路径返回。那么这个uniqueName又是什么呢?其实这就是为了对不同类型的数据进行区分而设定的一个唯一值,比如说在网易新闻缓存路径下看到的bitmap、object等文件夹。

接着是应用程序版本号,我们可以使用如下代码简单地获取到当前应用程序的版本号:

  1. public int getAppVersion(Context context) {
  2. try {
  3. PackageInfo info = context.getPackageManager().getPackageInfo(context.getPackageName(), 0);
  4. return info.versionCode;
  5. } catch (NameNotFoundException e) {
  6. e.printStackTrace();
  7. }
  8. return 1;
  9. }
	public int getAppVersion(Context context) {
		try {
			PackageInfo info = context.getPackageManager().getPackageInfo(context.getPackageName(), 0);
			return info.versionCode;
		} catch (NameNotFoundException e) {
			e.printStackTrace();
		}
		return 1;
	}
需要注意的是,每当版本号改变,缓存路径下存储的所有数据都会被清除掉,因为DiskLruCache认为当应用程序有版本更新的时候,所有的数据都应该从网上重新获取。

后面两个参数就没什么需要解释的了,第三个参数传1,第四个参数通常传入10M的大小就够了,这个可以根据自身的情况进行调节。

因此,一个非常标准的open()方法就可以这样写:

  1. DiskLruCache mDiskLruCache = null;
  2. try {
  3. File cacheDir = getDiskCacheDir(context, "bitmap");
  4. if (!cacheDir.exists()) {
  5. cacheDir.mkdirs();
  6. }
  7. mDiskLruCache = DiskLruCache.open(cacheDir, getAppVersion(context), 1, 10 * 1024 * 1024);
  8. } catch (IOException e) {
  9. e.printStackTrace();
  10. }
DiskLruCache mDiskLruCache = null;
try {
	File cacheDir = getDiskCacheDir(context, "bitmap");
	if (!cacheDir.exists()) {
		cacheDir.mkdirs();
	}
	mDiskLruCache = DiskLruCache.open(cacheDir, getAppVersion(context), 1, 10 * 1024 * 1024);
} catch (IOException e) {
	e.printStackTrace();
}
首先调用getDiskCacheDir()方法获取到缓存地址的路径,然后判断一下该路径是否存在,如果不存在就创建一下。接着调用DiskLruCache的open()方法来创建实例,并把四个参数传入即可。

有了DiskLruCache的实例之后,我们就可以对缓存的数据进行操作了,操作类型主要包括写入、访问、移除等,我们一个个进行学习。

写入缓存

先来看写入,比如说现在有一张图片,地址是https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg,那么为了将这张图片下载下来,就可以这样写:

  1. private boolean downloadUrlToStream(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(), 8 * 1024);
  9. out = new BufferedOutputStream(outputStream, 8 * 1024);
  10. int b;
  11. while ((b = in.read()) != -1) {
  12. out.write(b);
  13. }
  14. return true;
  15. } catch (final IOException e) {
  16. e.printStackTrace();
  17. } finally {
  18. if (urlConnection != null) {
  19. urlConnection.disconnect();
  20. }
  21. try {
  22. if (out != null) {
  23. out.close();
  24. }
  25. if (in != null) {
  26. in.close();
  27. }
  28. } catch (final IOException e) {
  29. e.printStackTrace();
  30. }
  31. }
  32. return false;
  33. }
private boolean downloadUrlToStream(String urlString, OutputStream outputStream) {
	HttpURLConnection urlConnection = null;
	BufferedOutputStream out = null;
	BufferedInputStream in = null;
	try {
		final URL url = new URL(urlString);
		urlConnection = (HttpURLConnection) url.openConnection();
		in = new BufferedInputStream(urlConnection.getInputStream(), 8 * 1024);
		out = new BufferedOutputStream(outputStream, 8 * 1024);
		int b;
		while ((b = in.read()) != -1) {
			out.write(b);
		}
		return true;
	} catch (final IOException e) {
		e.printStackTrace();
	} finally {
		if (urlConnection != null) {
			urlConnection.disconnect();
		}
		try {
			if (out != null) {
				out.close();
			}
			if (in != null) {
				in.close();
			}
		} catch (final IOException e) {
			e.printStackTrace();
		}
	}
	return false;
}
这段代码相当基础,相信大家都看得懂,就是访问urlString中传入的网址,并通过outputStream写入到本地。有了这个方法之后,下面我们就可以使用DiskLruCache来进行写入了,写入的操作是借助DiskLruCache.Editor这个类完成的。类似地,这个类也是不能new的,需要调用DiskLruCache的edit()方法来获取实例,接口如下所示:
  1. public Editor edit(String key) throws IOException
public Editor edit(String key) throws IOException
可以看到,edit()方法接收一个参数key,这个key将会成为缓存文件的文件名,并且必须要和图片的URL是一一对应的。那么怎样才能让key和图片的URL能够一一对应呢?直接使用URL来作为key?不太合适,因为图片URL中可能包含一些特殊字符,这些字符有可能在命名文件时是不合法的。其实最简单的做法就是将图片的URL进行MD5编码,编码后的字符串肯定是唯一的,并且只会包含0-F这样的字符,完全符合文件的命名规则。

那么我们就写一个方法用来将字符串进行MD5编码,代码如下所示:

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

private String bytesToHexString(byte[] bytes) {
	StringBuilder sb = new StringBuilder();
	for (int i = 0; i < bytes.length; i++) {
		String hex = Integer.toHexString(0xFF & bytes[i]);
		if (hex.length() == 1) {
			sb.append('0');
		}
		sb.append(hex);
	}
	return sb.toString();
}
代码很简单,现在我们只需要调用一下hashKeyForDisk()方法,并把图片的URL传入到这个方法中,就可以得到对应的key了。

因此,现在就可以这样写来得到一个DiskLruCache.Editor的实例:

  1. String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
  2. String key = hashKeyForDisk(imageUrl);
  3. DiskLruCache.Editor editor = mDiskLruCache.edit(key);
String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
String key = hashKeyForDisk(imageUrl);
DiskLruCache.Editor editor = mDiskLruCache.edit(key);
有了DiskLruCache.Editor的实例之后,我们可以调用它的newOutputStream()方法来创建一个输出流,然后把它传入到downloadUrlToStream()中就能实现下载并写入缓存的功能了。注意newOutputStream()方法接收一个index参数,由于前面在设置valueCount的时候指定的是1,所以这里index传0就可以了。在写入操作执行完之后,我们还需要调用一下commit()方法进行提交才能使写入生效,调用abort()方法的话则表示放弃此次写入。

因此,一次完整写入操作的代码如下所示:

  1. new Thread(new Runnable() {
  2. @Override
  3. public void run() {
  4. try {
  5. String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
  6. String key = hashKeyForDisk(imageUrl);
  7. DiskLruCache.Editor editor = mDiskLruCache.edit(key);
  8. if (editor != null) {
  9. OutputStream outputStream = editor.newOutputStream(0);
  10. if (downloadUrlToStream(imageUrl, outputStream)) {
  11. editor.commit();
  12. } else {
  13. editor.abort();
  14. }
  15. }
  16. mDiskLruCache.flush();
  17. } catch (IOException e) {
  18. e.printStackTrace();
  19. }
  20. }
  21. }).start();
new Thread(new Runnable() {
	@Override
	public void run() {
		try {
			String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
			String key = hashKeyForDisk(imageUrl);
			DiskLruCache.Editor editor = mDiskLruCache.edit(key);
			if (editor != null) {
				OutputStream outputStream = editor.newOutputStream(0);
				if (downloadUrlToStream(imageUrl, outputStream)) {
					editor.commit();
				} else {
					editor.abort();
				}
			}
			mDiskLruCache.flush();
		} catch (IOException e) {
			e.printStackTrace();
		}
	}
}).start();
由于这里调用了downloadUrlToStream()方法来从网络上下载图片,所以一定要确保这段代码是在子线程当中执行的。注意在代码的最后我还调用了一下flush()方法,这个方法并不是每次写入都必须要调用的,但在这里却不可缺少,我会在后面说明它的作用。

现在的话缓存应该是已经成功写入了,我们进入到SD卡上的缓存目录里看一下,如下图所示:


可以看到,这里有一个文件名很长的文件,和一个journal文件,那个文件名很长的文件自然就是缓存的图片了,因为是使用了MD5编码来进行命名的。

读取缓存

缓存已经写入成功之后,接下来我们就该学习一下如何读取了。读取的方法要比写入简单一些,主要是借助DiskLruCache的get()方法实现的,接口如下所示:

  1. public synchronized Snapshot get(String key) throws IOException
public synchronized Snapshot get(String key) throws IOException
很明显,get()方法要求传入一个key来获取到相应的缓存数据,而这个key毫无疑问就是将图片URL进行MD5编码后的值了,因此读取缓存数据的代码就可以这样写:
  1. String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
  2. String key = hashKeyForDisk(imageUrl);
  3. DiskLruCache.Snapshot snapShot = mDiskLruCache.get(key);
String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
String key = hashKeyForDisk(imageUrl);
DiskLruCache.Snapshot snapShot = mDiskLruCache.get(key);
很奇怪的是,这里获取到的是一个DiskLruCache.Snapshot对象,这个对象我们该怎么利用呢?很简单,只需要调用它的getInputStream()方法就可以得到缓存文件的输入流了。同样地,getInputStream()方法也需要传一个index参数,这里传入0就好。有了文件的输入流之后,想要把缓存图片显示到界面上就轻而易举了。所以,一段完整的读取缓存,并将图片加载到界面上的代码如下所示:
  1. try {
  2. String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
  3. String key = hashKeyForDisk(imageUrl);
  4. DiskLruCache.Snapshot snapShot = mDiskLruCache.get(key);
  5. if (snapShot != null) {
  6. InputStream is = snapShot.getInputStream(0);
  7. Bitmap bitmap = BitmapFactory.decodeStream(is);
  8. mImage.setImageBitmap(bitmap);
  9. }
  10. } catch (IOException e) {
  11. e.printStackTrace();
  12. }
try {
	String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
	String key = hashKeyForDisk(imageUrl);
	DiskLruCache.Snapshot snapShot = mDiskLruCache.get(key);
	if (snapShot != null) {
		InputStream is = snapShot.getInputStream(0);
		Bitmap bitmap = BitmapFactory.decodeStream(is);
		mImage.setImageBitmap(bitmap);
	}
} catch (IOException e) {
	e.printStackTrace();
}

我们使用了BitmapFactory的decodeStream()方法将文件流解析成Bitmap对象,然后把它设置到ImageView当中。如果运行一下程序,将会看到如下效果:


OK,图片已经成功显示出来了。注意这是我们从本地缓存中加载的,而不是从网络上加载的,因此即使在你手机没有联网的情况下,这张图片仍然可以显示出来。

移除缓存

学习完了写入缓存和读取缓存的方法之后,最难的两个操作你就都已经掌握了,那么接下来要学习的移除缓存对你来说也一定非常轻松了。移除缓存主要是借助DiskLruCache的remove()方法实现的,接口如下所示:

  1. public synchronized boolean remove(String key) throws IOException
public synchronized boolean remove(String key) throws IOException
相信你已经相当熟悉了,remove()方法中要求传入一个key,然后会删除这个key对应的缓存图片,示例代码如下:
  1. try {
  2. String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";
  3. String key = hashKeyForDisk(imageUrl);
  4. mDiskLruCache.remove(key);
  5. } catch (IOException e) {
  6. e.printStackTrace();
  7. }
try {
	String imageUrl = "https://img-my.csdn.net/uploads/201309/01/1378037235_7476.jpg";  
	String key = hashKeyForDisk(imageUrl);  
	mDiskLruCache.remove(key);
} catch (IOException e) {
	e.printStackTrace();
}
用法虽然简单,但是你要知道,这个方法我们并不应该经常去调用它。因为你完全不需要担心缓存的数据过多从而占用SD卡太多空间的问题,DiskLruCache会根据我们在调用open()方法时设定的缓存最大值来自动删除多余的缓存。只有你确定某个key对应的缓存内容已经过期,需要从网络获取最新数据的时候才应该调用remove()方法来移除缓存。

其它API

除了写入缓存、读取缓存、移除缓存之外,DiskLruCache还提供了另外一些比较常用的API,我们简单学习一下。

1. size()

这个方法会返回当前缓存路径下所有缓存数据的总字节数,以byte为单位,如果应用程序中需要在界面上显示当前缓存数据的总大小,就可以通过调用这个方法计算出来。比如网易新闻中就有这样一个功能,如下图所示:


2.flush()

这个方法用于将内存中的操作记录同步到日志文件(也就是journal文件)当中。这个方法非常重要,因为DiskLruCache能够正常工作的前提就是要依赖于journal文件中的内容。前面在讲解写入缓存操作的时候我有调用过一次这个方法,但其实并不是每次写入缓存都要调用一次flush()方法的,频繁地调用并不会带来任何好处,只会额外增加同步journal文件的时间。比较标准的做法就是在Activity的onPause()方法中去调用一次flush()方法就可以了。

3.close()

这个方法用于将DiskLruCache关闭掉,是和open()方法对应的一个方法。关闭掉了之后就不能再调用DiskLruCache中任何操作缓存数据的方法,通常只应该在Activity的onDestroy()方法中去调用close()方法。

4.delete()

这个方法用于将所有的缓存数据全部删除,比如说网易新闻中的那个手动清理缓存功能,其实只需要调用一下DiskLruCache的delete()方法就可以实现了。

解读journal

前面已经提到过,DiskLruCache能够正常工作的前提就是要依赖于journal文件中的内容,因此,能够读懂journal文件对于我们理解DiskLruCache的工作原理有着非常重要的作用。那么journal文件中的内容到底是什么样的呢?我们来打开瞧一瞧吧,如下图所示:



由于现在只缓存了一张图片,所以journal中并没有几行日志,我们一行行进行分析。第一行是个固定的字符串“libcore.io.DiskLruCache”,标志着我们使用的是DiskLruCache技术。第二行是DiskLruCache的版本号,这个值是恒为1的。第三行是应用程序的版本号,我们在open()方法里传入的版本号是什么这里就会显示什么。第四行是valueCount,这个值也是在open()方法中传入的,通常情况下都为1。第五行是一个空行。前五行也被称为journal文件的头,这部分内容还是比较好理解的,但是接下来的部分就要稍微动点脑筋了。

第六行是以一个DIRTY前缀开始的,后面紧跟着缓存图片的key。通常我们看到DIRTY这个字样都不代表着什么好事情,意味着这是一条脏数据。没错,每当我们调用一次DiskLruCache的edit()方法时,都会向journal文件中写入一条DIRTY记录,表示我们正准备写入一条缓存数据,但不知结果如何。然后调用commit()方法表示写入缓存成功,这时会向journal中写入一条CLEAN记录,意味着这条“脏”数据被“洗干净了”,调用abort()方法表示写入缓存失败,这时会向journal中写入一条REMOVE记录。也就是说,每一行DIRTY的key,后面都应该有一行对应的CLEAN或者REMOVE的记录,否则这条数据就是“脏”的,会被自动删除掉。

如果你足够细心的话应该还会注意到,第七行的那条记录,除了CLEAN前缀和key之外,后面还有一个152313,这是什么意思呢?其实,DiskLruCache会在每一行CLEAN记录的最后加上该条缓存数据的大小,以字节为单位。152313也就是我们缓存的那张图片的字节数了,换算出来大概是148.74K,和缓存图片刚刚好一样大,如下图所示:


前面我们所学的size()方法可以获取到当前缓存路径下所有缓存数据的总字节数,其实它的工作原理就是把journal文件中所有CLEAN记录的字节数相加,求出的总合再把它返回而已。

除了DIRTY、CLEAN、REMOVE之外,还有一种前缀是READ的记录,这个就非常简单了,每当我们调用get()方法去读取一条缓存数据时,就会向journal文件中写入一条READ记录。因此,像网易新闻这种图片和数据量都非常大的程序,journal文件中就可能会有大量的READ记录。

那么你可能会担心了,如果我不停频繁操作的话,就会不断地向journal文件中写入数据,那这样journal文件岂不是会越来越大?这倒不必担心,DiskLruCache中使用了一个redundantOpCount变量来记录用户操作的次数,每执行一次写入、读取或移除缓存的操作,这个变量值都会加1,当变量值达到2000的时候就会触发重构journal的事件,这时会自动把journal中一些多余的、不必要的记录全部清除掉,保证journal文件的大小始终保持在一个合理的范围内。

好了,这样的话我们就算是把DiskLruCache的用法以及简要的工作原理分析完了。至于DiskLruCache的源码还是比较简单的, 限于篇幅原因就不在这里展开了,感兴趣的朋友可以自己去摸索。下一篇文章中,我会带着大家通过一个项目实战的方式来更加深入地理解DiskLruCache的用法。感兴趣的朋友请继续阅读 Android照片墙完整版,完美结合LruCache和DiskLruCache

 

转载请注明出处:http://blog.csdn.net/guolin_blog/article/details/34093441

在上一篇文章当中,我们学习了DiskLruCache的概念和基本用法,但仅仅是掌握理论知识显然是不够的,那么本篇文章我们就来继续进阶一下,看一看在实战当中应该怎样合理使用DiskLruCache。还不熟悉DiskLruCache用法的朋友可以先去参考我的上一篇文章 Android DiskLruCache完全解析,硬盘缓存的最佳方案

其实,在真正的项目实战当中如果仅仅是使用硬盘缓存的话,程序是有明显短板的。而如果只使用内存缓存的话,程序当然也会有很大的缺陷。因此,一个优秀的程序必然会将内存缓存和硬盘缓存结合到一起使用,那么本篇文章我们就来看一看,如何才能将LruCache和DiskLruCache完美结合到一起。

Android照片墙应用实现,再多的图片也不怕崩溃 这篇文章当中,我编写了一个照片墙的应用程序,但当时只是单纯使用到了内存缓存而已,而今天我们就对这个例子进行扩展,制作一个完整版的照片墙。

那我们开始动手吧,新建一个Android项目,起名叫PhotoWallDemo,这里我使用的是Android 4.0的API。然后新建一个libcore.io包,并将DiskLruCache.java文件拷贝到这个包下,这样就把准备工作完成了。

接下来首先需要考虑的仍然是图片源的问题,简单起见,我仍然是吧所有图片都上传到了我的CSDN相册当中,然后新建一个Images类,将所有相册中图片的网址都配置进去,代码如下所示:

  1. public class Images {
  2. public final static String[] imageThumbUrls = new String[] {
  3. "https://img-my.csdn.net/uploads/201407/26/1406383299_1976.jpg",
  4. "https://img-my.csdn.net/uploads/201407/26/1406383291_6518.jpg",
  5. "https://img-my.csdn.net/uploads/201407/26/1406383291_8239.jpg",
  6. "https://img-my.csdn.net/uploads/201407/26/1406383290_9329.jpg",
  7. "https://img-my.csdn.net/uploads/201407/26/1406383290_1042.jpg",
  8. "https://img-my.csdn.net/uploads/201407/26/1406383275_3977.jpg",
  9. "https://img-my.csdn.net/uploads/201407/26/1406383265_8550.jpg",
  10. "https://img-my.csdn.net/uploads/201407/26/1406383264_3954.jpg",
  11. "https://img-my.csdn.net/uploads/201407/26/1406383264_4787.jpg",
  12. "https://img-my.csdn.net/uploads/201407/26/1406383264_8243.jpg",
  13. "https://img-my.csdn.net/uploads/201407/26/1406383248_3693.jpg",
  14. "https://img-my.csdn.net/uploads/201407/26/1406383243_5120.jpg",
  15. "https://img-my.csdn.net/uploads/201407/26/1406383242_3127.jpg",
  16. "https://img-my.csdn.net/uploads/201407/26/1406383242_9576.jpg",
  17. "https://img-my.csdn.net/uploads/201407/26/1406383242_1721.jpg",
  18. "https://img-my.csdn.net/uploads/201407/26/1406383219_5806.jpg",
  19. "https://img-my.csdn.net/uploads/201407/26/1406383214_7794.jpg",
  20. "https://img-my.csdn.net/uploads/201407/26/1406383213_4418.jpg",
  21. "https://img-my.csdn.net/uploads/201407/26/1406383213_3557.jpg",
  22. "https://img-my.csdn.net/uploads/201407/26/1406383210_8779.jpg",
  23. "https://img-my.csdn.net/uploads/201407/26/1406383172_4577.jpg",
  24. "https://img-my.csdn.net/uploads/201407/26/1406383166_3407.jpg",
  25. "https://img-my.csdn.net/uploads/201407/26/1406383166_2224.jpg",
  26. "https://img-my.csdn.net/uploads/201407/26/1406383166_7301.jpg",
  27. "https://img-my.csdn.net/uploads/201407/26/1406383165_7197.jpg",
  28. "https://img-my.csdn.net/uploads/201407/26/1406383150_8410.jpg",
  29. "https://img-my.csdn.net/uploads/201407/26/1406383131_3736.jpg",
  30. "https://img-my.csdn.net/uploads/201407/26/1406383130_5094.jpg",
  31. "https://img-my.csdn.net/uploads/201407/26/1406383130_7393.jpg",
  32. "https://img-my.csdn.net/uploads/201407/26/1406383129_8813.jpg",
  33. "https://img-my.csdn.net/uploads/201407/26/1406383100_3554.jpg",
  34. "https://img-my.csdn.net/uploads/201407/26/1406383093_7894.jpg",
  35. "https://img-my.csdn.net/uploads/201407/26/1406383092_2432.jpg",
  36. "https://img-my.csdn.net/uploads/201407/26/1406383092_3071.jpg",
  37. "https://img-my.csdn.net/uploads/201407/26/1406383091_3119.jpg",
  38. "https://img-my.csdn.net/uploads/201407/26/1406383059_6589.jpg",
  39. "https://img-my.csdn.net/uploads/201407/26/1406383059_8814.jpg",
  40. "https://img-my.csdn.net/uploads/201407/26/1406383059_2237.jpg",
  41. "https://img-my.csdn.net/uploads/201407/26/1406383058_4330.jpg",
  42. "https://img-my.csdn.net/uploads/201407/26/1406383038_3602.jpg",
  43. "https://img-my.csdn.net/uploads/201407/26/1406382942_3079.jpg",
  44. "https://img-my.csdn.net/uploads/201407/26/1406382942_8125.jpg",
  45. "https://img-my.csdn.net/uploads/201407/26/1406382942_4881.jpg",
  46. "https://img-my.csdn.net/uploads/201407/26/1406382941_4559.jpg",
  47. "https://img-my.csdn.net/uploads/201407/26/1406382941_3845.jpg",
  48. "https://img-my.csdn.net/uploads/201407/26/1406382924_8955.jpg",
  49. "https://img-my.csdn.net/uploads/201407/26/1406382923_2141.jpg",
  50. "https://img-my.csdn.net/uploads/201407/26/1406382923_8437.jpg",
  51. "https://img-my.csdn.net/uploads/201407/26/1406382922_6166.jpg",
  52. "https://img-my.csdn.net/uploads/201407/26/1406382922_4843.jpg",
  53. "https://img-my.csdn.net/uploads/201407/26/1406382905_5804.jpg",
  54. "https://img-my.csdn.net/uploads/201407/26/1406382904_3362.jpg",
  55. "https://img-my.csdn.net/uploads/201407/26/1406382904_2312.jpg",
  56. "https://img-my.csdn.net/uploads/201407/26/1406382904_4960.jpg",
  57. "https://img-my.csdn.net/uploads/201407/26/1406382900_2418.jpg",
  58. "https://img-my.csdn.net/uploads/201407/26/1406382881_4490.jpg",
  59. "https://img-my.csdn.net/uploads/201407/26/1406382881_5935.jpg",
  60. "https://img-my.csdn.net/uploads/201407/26/1406382880_3865.jpg",
  61. "https://img-my.csdn.net/uploads/201407/26/1406382880_4662.jpg",
  62. "https://img-my.csdn.net/uploads/201407/26/1406382879_2553.jpg",
  63. "https://img-my.csdn.net/uploads/201407/26/1406382862_5375.jpg",
  64. "https://img-my.csdn.net/uploads/201407/26/1406382862_1748.jpg",
  65. "https://img-my.csdn.net/uploads/201407/26/1406382861_7618.jpg",
  66. "https://img-my.csdn.net/uploads/201407/26/1406382861_8606.jpg",
  67. "https://img-my.csdn.net/uploads/201407/26/1406382861_8949.jpg",
  68. "https://img-my.csdn.net/uploads/201407/26/1406382841_9821.jpg",
  69. "https://img-my.csdn.net/uploads/201407/26/1406382840_6603.jpg",
  70. "https://img-my.csdn.net/uploads/201407/26/1406382840_2405.jpg",
  71. "https://img-my.csdn.net/uploads/201407/26/1406382840_6354.jpg",
  72. "https://img-my.csdn.net/uploads/201407/26/1406382839_5779.jpg",
  73. "https://img-my.csdn.net/uploads/201407/26/1406382810_7578.jpg",
  74. "https://img-my.csdn.net/uploads/201407/26/1406382810_2436.jpg",
  75. "https://img-my.csdn.net/uploads/201407/26/1406382809_3883.jpg",
  76. "https://img-my.csdn.net/uploads/201407/26/1406382809_6269.jpg",
  77. "https://img-my.csdn.net/uploads/201407/26/1406382808_4179.jpg",
  78. "https://img-my.csdn.net/uploads/201407/26/1406382790_8326.jpg",
  79. "https://img-my.csdn.net/uploads/201407/26/1406382789_7174.jpg",
  80. "https://img-my.csdn.net/uploads/201407/26/1406382789_5170.jpg",
  81. "https://img-my.csdn.net/uploads/201407/26/1406382789_4118.jpg",
  82. "https://img-my.csdn.net/uploads/201407/26/1406382788_9532.jpg",
  83. "https://img-my.csdn.net/uploads/201407/26/1406382767_3184.jpg",
  84. "https://img-my.csdn.net/uploads/201407/26/1406382767_4772.jpg",
  85. "https://img-my.csdn.net/uploads/201407/26/1406382766_4924.jpg",
  86. "https://img-my.csdn.net/uploads/201407/26/1406382766_5762.jpg",
  87. "https://img-my.csdn.net/uploads/201407/26/1406382765_7341.jpg"
  88. };
  89. }
public class Images {

	public final static String[] imageThumbUrls = new String[] {
		"https://img-my.csdn.net/uploads/201407/26/1406383299_1976.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383291_6518.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383291_8239.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383290_9329.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383290_1042.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383275_3977.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383265_8550.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383264_3954.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383264_4787.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383264_8243.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383248_3693.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383243_5120.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383242_3127.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383242_9576.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383242_1721.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383219_5806.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383214_7794.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383213_4418.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383213_3557.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383210_8779.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383172_4577.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383166_3407.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383166_2224.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383166_7301.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383165_7197.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383150_8410.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383131_3736.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383130_5094.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383130_7393.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383129_8813.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383100_3554.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383093_7894.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383092_2432.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383092_3071.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383091_3119.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383059_6589.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383059_8814.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383059_2237.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383058_4330.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406383038_3602.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382942_3079.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382942_8125.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382942_4881.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382941_4559.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382941_3845.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382924_8955.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382923_2141.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382923_8437.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382922_6166.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382922_4843.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382905_5804.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382904_3362.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382904_2312.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382904_4960.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382900_2418.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382881_4490.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382881_5935.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382880_3865.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382880_4662.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382879_2553.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382862_5375.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382862_1748.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382861_7618.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382861_8606.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382861_8949.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382841_9821.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382840_6603.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382840_2405.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382840_6354.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382839_5779.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382810_7578.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382810_2436.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382809_3883.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382809_6269.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382808_4179.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382790_8326.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382789_7174.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382789_5170.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382789_4118.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382788_9532.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382767_3184.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382767_4772.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382766_4924.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382766_5762.jpg",
		"https://img-my.csdn.net/uploads/201407/26/1406382765_7341.jpg"
	};
}

设置好了图片源之后,我们需要一个GridView来展示照片墙上的每一张图片。打开或修改activity_main.xml中的代码,如下所示:

  1. <LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
  2. xmlns:tools="http://schemas.android.com/tools"
  3. android:layout_width="match_parent"
  4. android:layout_height="match_parent" >
  5. <GridView
  6. android:id="@+id/photo_wall"
  7. android:layout_width="match_parent"
  8. android:layout_height="match_parent"
  9. android:columnWidth="@dimen/image_thumbnail_size"
  10. android:gravity="center"
  11. android:horizontalSpacing="@dimen/image_thumbnail_spacing"
  12. android:numColumns="auto_fit"
  13. android:stretchMode="columnWidth"
  14. android:verticalSpacing="@dimen/image_thumbnail_spacing" >
  15. </GridView>
  16. </LinearLayout>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent" >

    <GridView
        android:id="@+id/photo_wall"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:columnWidth="@dimen/image_thumbnail_size"
        android:gravity="center"
        android:horizontalSpacing="@dimen/image_thumbnail_spacing"
        android:numColumns="auto_fit"
        android:stretchMode="columnWidth"
        android:verticalSpacing="@dimen/image_thumbnail_spacing" >
    </GridView>

</LinearLayout>

很简单,只是在LinearLayout中写了一个GridView而已。接着我们要定义GridView中每一个子View的布局,新建一个photo_layout.xml布局,加入如下代码:

  1. <RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
  2. xmlns:tools="http://schemas.android.com/tools"
  3. android:layout_width="wrap_content"
  4. android:layout_height="wrap_content" >
  5. <ImageView
  6. android:id="@+id/photo"
  7. android:layout_width="match_parent"
  8. android:layout_height="match_parent"
  9. android:layout_centerInParent="true"
  10. android:scaleType="fitXY"
  11. />
  12. </RelativeLayout>
<RelativeLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="wrap_content"
    android:layout_height="wrap_content" >

    <ImageView 
        android:id="@+id/photo"
        android:layout_width="match_parent"
        android:layout_height="match_parent"
        android:layout_centerInParent="true"
        android:scaleType="fitXY"
        />

</RelativeLayout>

仍然很简单,photo_layout.xml布局中只有一个ImageView控件,就是用它来显示图片的。这样我们就把所有的布局文件都写好了。

接下来新建PhotoWallAdapter做为GridView的适配器,代码如下所示:

  1. public class PhotoWallAdapter extends ArrayAdapter<String> {
  2. /**
  3. * 记录所有正在下载或等待下载的任务。
  4. */
  5. private Set<BitmapWorkerTask> taskCollection;
  6. /**
  7. * 图片缓存技术的核心类,用于缓存所有下载好的图片,在程序内存达到设定值时会将最少最近使用的图片移除掉。
  8. */
  9. private LruCache<String, Bitmap> mMemoryCache;
  10. /**
  11. * 图片硬盘缓存核心类。
  12. */
  13. private DiskLruCache mDiskLruCache;
  14. /**
  15. * GridView的实例
  16. */
  17. private GridView mPhotoWall;
  18. /**
  19. * 记录每个子项的高度。
  20. */
  21. private int mItemHeight = 0;
  22. public PhotoWallAdapter(Context context, int textViewResourceId, String[] objects,
  23. GridView photoWall) {
  24. super(context, textViewResourceId, objects);
  25. mPhotoWall = photoWall;
  26. taskCollection = new HashSet<BitmapWorkerTask>();
  27. // 获取应用程序最大可用内存
  28. int maxMemory = (int) Runtime.getRuntime().maxMemory();
  29. int cacheSize = maxMemory / 8;
  30. // 设置图片缓存大小为程序最大可用内存的1/8
  31. mMemoryCache = new LruCache<String, Bitmap>(cacheSize) {
  32. @Override
  33. protected int sizeOf(String key, Bitmap bitmap) {
  34. return bitmap.getByteCount();
  35. }
  36. };
  37. try {
  38. // 获取图片缓存路径
  39. File cacheDir = getDiskCacheDir(context, "thumb");
  40. if (!cacheDir.exists()) {
  41. cacheDir.mkdirs();
  42. }
  43. // 创建DiskLruCache实例,初始化缓存数据
  44. mDiskLruCache = DiskLruCache
  45. .open(cacheDir, getAppVersion(context), 1, 10 * 1024 * 1024);
  46. } catch (IOException e) {
  47. e.printStackTrace();
  48. }
  49. }
  50. @Override
  51. public View getView(int position, View convertView, ViewGroup parent) {
  52. final String url = getItem(position);
  53. View view;
  54. if (convertView == null) {
  55. view = LayoutInflater.from(getContext()).inflate(R.layout.photo_layout, null);
  56. } else {
  57. view = convertView;
  58. }
  59. final ImageView imageView = (ImageView) view.findViewById(R.id.photo);
  60. if (imageView.getLayoutParams().height != mItemHeight) {
  61. imageView.getLayoutParams().height = mItemHeight;
  62. }
  63. // 给ImageView设置一个Tag,保证异步加载图片时不会乱序
  64. imageView.setTag(url);
  65. imageView.setImageResource(R.drawable.empty_photo);
  66. loadBitmaps(imageView, url);
  67. return view;
  68. }
  69. /**
  70. * 将一张图片存储到LruCache中。
  71. *
  72. * @param key
  73. * LruCache的键,这里传入图片的URL地址。
  74. * @param bitmap
  75. * LruCache的键,这里传入从网络上下载的Bitmap对象。
  76. */
  77. public void addBitmapToMemoryCache(String key, Bitmap bitmap) {
  78. if (getBitmapFromMemoryCache(key) == null) {
  79. mMemoryCache.put(key, bitmap);
  80. }
  81. }
  82. /**
  83. * 从LruCache中获取一张图片,如果不存在就返回null。
  84. *
  85. * @param key
  86. * LruCache的键,这里传入图片的URL地址。
  87. * @return 对应传入键的Bitmap对象,或者null。
  88. */
  89. public Bitmap getBitmapFromMemoryCache(String key) {
  90. return mMemoryCache.get(key);
  91. }
  92. /**
  93. * 加载Bitmap对象。此方法会在LruCache中检查所有屏幕中可见的ImageView的Bitmap对象,
  94. * 如果发现任何一个ImageView的Bitmap对象不在缓存中,就会开启异步线程去下载图片。
  95. */
  96. public void loadBitmaps(ImageView imageView, String imageUrl) {
  97. try {
  98. Bitmap bitmap = getBitmapFromMemoryCache(imageUrl);
  99. if (bitmap == null) {
  100. BitmapWorkerTask task = new BitmapWorkerTask();
  101. taskCollection.add(task);
  102. task.execute(imageUrl);
  103. } else {
  104. if (imageView != null && bitmap != null) {
  105. imageView.setImageBitmap(bitmap);
  106. }
  107. }
  108. } catch (Exception e) {
  109. e.printStackTrace();
  110. }
  111. }
  112. /**
  113. * 取消所有正在下载或等待下载的任务。
  114. */
  115. public void cancelAllTasks() {
  116. if (taskCollection != null) {
  117. for (BitmapWorkerTask task : taskCollection) {
  118. task.cancel(false);
  119. }
  120. }
  121. }
  122. /**
  123. * 根据传入的uniqueName获取硬盘缓存的路径地址。
  124. */
  125. public File getDiskCacheDir(Context context, String uniqueName) {
  126. String cachePath;
  127. if (Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState())
  128. || !Environment.isExternalStorageRemovable()) {
  129. cachePath = context.getExternalCacheDir().getPath();
  130. } else {
  131. cachePath = context.getCacheDir().getPath();
  132. }
  133. return new File(cachePath + File.separator + uniqueName);
  134. }
  135. /**
  136. * 获取当前应用程序的版本号。
  137. */
  138. public int getAppVersion(Context context) {
  139. try {
  140. PackageInfo info = context.getPackageManager().getPackageInfo(context.getPackageName(),
  141. 0);
  142. return info.versionCode;
  143. } catch (NameNotFoundException e) {
  144. e.printStackTrace();
  145. }
  146. return 1;
  147. }
  148. /**
  149. * 设置item子项的高度。
  150. */
  151. public void setItemHeight(int height) {
  152. if (height == mItemHeight) {
  153. return;
  154. }
  155. mItemHeight = height;
  156. notifyDataSetChanged();
  157. }
  158. /**
  159. * 使用MD5算法对传入的key进行加密并返回。
  160. */
  161. public String hashKeyForDisk(String key) {
  162. String cacheKey;
  163. try {
  164. final MessageDigest mDigest = MessageDigest.getInstance("MD5");
  165. mDigest.update(key.getBytes());
  166. cacheKey = bytesToHexString(mDigest.digest());
  167. } catch (NoSuchAlgorithmException e) {
  168. cacheKey = String.valueOf(key.hashCode());
  169. }
  170. return cacheKey;
  171. }
  172. /**
  173. * 将缓存记录同步到journal文件中。
  174. */
  175. public void fluchCache() {
  176. if (mDiskLruCache != null) {
  177. try {
  178. mDiskLruCache.flush();
  179. } catch (IOException e) {
  180. e.printStackTrace();
  181. }
  182. }
  183. }
  184. private String bytesToHexString(byte[] bytes) {
  185. StringBuilder sb = new StringBuilder();
  186. for (int i = 0; i < bytes.length; i++) {
  187. String hex = Integer.toHexString(0xFF & bytes[i]);
  188. if (hex.length() == 1) {
  189. sb.append('0');
  190. }
  191. sb.append(hex);
  192. }
  193. return sb.toString();
  194. }
  195. /**
  196. * 异步下载图片的任务。
  197. *
  198. * @author guolin
  199. */
  200. class BitmapWorkerTask extends AsyncTask<String, Void, Bitmap> {
  201. /**
  202. * 图片的URL地址
  203. */
  204. private String imageUrl;
  205. @Override
  206. protected Bitmap doInBackground(String... params) {
  207. imageUrl = params[0];
  208. FileDescriptor fileDescriptor = null;
  209. FileInputStream fileInputStream = null;
  210. Snapshot snapShot = null;
  211. try {
  212. // 生成图片URL对应的key
  213. final String key = hashKeyForDisk(imageUrl);
  214. // 查找key对应的缓存
  215. snapShot = mDiskLruCache.get(key);
  216. if (snapShot == null) {
  217. // 如果没有找到对应的缓存,则准备从网络上请求数据,并写入缓存
  218. DiskLruCache.Editor editor = mDiskLruCache.edit(key);
  219. if (editor != null) {
  220. OutputStream outputStream = editor.newOutputStream(0);
  221. if (downloadUrlToStream(imageUrl, outputStream)) {
  222. editor.commit();
  223. } else {
  224. editor.abort();
  225. }
  226. }
  227. // 缓存被写入后,再次查找key对应的缓存
  228. snapShot = mDiskLruCache.get(key);
  229. }
  230. if (snapShot != null) {
  231. fileInputStream = (FileInputStream) snapShot.getInputStream(0);
  232. fileDescriptor = fileInputStream.getFD();
  233. }
  234. // 将缓存数据解析成Bitmap对象
  235. Bitmap bitmap = null;
  236. if (fileDescriptor != null) {
  237. bitmap = BitmapFactory.decodeFileDescriptor(fileDescriptor);
  238. }
  239. if (bitmap != null) {
  240. // 将Bitmap对象添加到内存缓存当中
  241. addBitmapToMemoryCache(params[0], bitmap);
  242. }
  243. return bitmap;
  244. } catch (IOException e) {
  245. e.printStackTrace();
  246. } finally {
  247. if (fileDescriptor == null && fileInputStream != null) {
  248. try {
  249. fileInputStream.close();
  250. } catch (IOException e) {
  251. }
  252. }
  253. }
  254. return null;
  255. }
  256. @Override
  257. protected void onPostExecute(Bitmap bitmap) {
  258. super.onPostExecute(bitmap);
  259. // 根据Tag找到相应的ImageView控件,将下载好的图片显示出来。
  260. ImageView imageView = (ImageView) mPhotoWall.findViewWithTag(imageUrl);
  261. if (imageView != null && bitmap != null) {
  262. imageView.setImageBitmap(bitmap);
  263. }
  264. taskCollection.remove(this);
  265. }
  266. /**
  267. * 建立HTTP请求,并获取Bitmap对象。
  268. *
  269. * @param imageUrl
  270. * 图片的URL地址
  271. * @return 解析后的Bitmap对象
  272. */
  273. private boolean downloadUrlToStream(String urlString, OutputStream outputStream) {
  274. HttpURLConnection urlConnection = null;
  275. BufferedOutputStream out = null;
  276. BufferedInputStream in = null;
  277. try {
  278. final URL url = new URL(urlString);
  279. urlConnection = (HttpURLConnection) url.openConnection();
  280. in = new BufferedInputStream(urlConnection.getInputStream(), 8 * 1024);
  281. out = new BufferedOutputStream(outputStream, 8 * 1024);
  282. int b;
  283. while ((b = in.read()) != -1) {
  284. out.write(b);
  285. }
  286. return true;
  287. } catch (final IOException e) {
  288. e.printStackTrace();
  289. } finally {
  290. if (urlConnection != null) {
  291. urlConnection.disconnect();
  292. }
  293. try {
  294. if (out != null) {
  295. out.close();
  296. }
  297. if (in != null) {
  298. in.close();
  299. }
  300. } catch (final IOException e) {
  301. e.printStackTrace();
  302. }
  303. }
  304. return false;
  305. }
  306. }
  307. }
public class PhotoWallAdapter extends ArrayAdapter<String> {

	/**
	 * 记录所有正在下载或等待下载的任务。
	 */
	private Set<BitmapWorkerTask> taskCollection;

	/**
	 * 图片缓存技术的核心类,用于缓存所有下载好的图片,在程序内存达到设定值时会将最少最近使用的图片移除掉。
	 */
	private LruCache<String, Bitmap> mMemoryCache;

	/**
	 * 图片硬盘缓存核心类。
	 */
	private DiskLruCache mDiskLruCache;

	/**
	 * GridView的实例
	 */
	private GridView mPhotoWall;

	/**
	 * 记录每个子项的高度。
	 */
	private int mItemHeight = 0;

	public PhotoWallAdapter(Context context, int textViewResourceId, String[] objects,
			GridView photoWall) {
		super(context, textViewResourceId, objects);
		mPhotoWall = photoWall;
		taskCollection = new HashSet<BitmapWorkerTask>();
		// 获取应用程序最大可用内存
		int maxMemory = (int) Runtime.getRuntime().maxMemory();
		int cacheSize = maxMemory / 8;
		// 设置图片缓存大小为程序最大可用内存的1/8
		mMemoryCache = new LruCache<String, Bitmap>(cacheSize) {
			@Override
			protected int sizeOf(String key, Bitmap bitmap) {
				return bitmap.getByteCount();
			}
		};
		try {
			// 获取图片缓存路径
			File cacheDir = getDiskCacheDir(context, "thumb");
			if (!cacheDir.exists()) {
				cacheDir.mkdirs();
			}
			// 创建DiskLruCache实例,初始化缓存数据
			mDiskLruCache = DiskLruCache
					.open(cacheDir, getAppVersion(context), 1, 10 * 1024 * 1024);
		} catch (IOException e) {
			e.printStackTrace();
		}
	}

	@Override
	public View getView(int position, View convertView, ViewGroup parent) {
		final String url = getItem(position);
		View view;
		if (convertView == null) {
			view = LayoutInflater.from(getContext()).inflate(R.layout.photo_layout, null);
		} else {
			view = convertView;
		}
		final ImageView imageView = (ImageView) view.findViewById(R.id.photo);
		if (imageView.getLayoutParams().height != mItemHeight) {
			imageView.getLayoutParams().height = mItemHeight;
		}
		// 给ImageView设置一个Tag,保证异步加载图片时不会乱序
		imageView.setTag(url);
		imageView.setImageResource(R.drawable.empty_photo);
		loadBitmaps(imageView, url);
		return view;
	}

	/**
	 * 将一张图片存储到LruCache中。
	 * 
	 * @param key
	 *            LruCache的键,这里传入图片的URL地址。
	 * @param bitmap
	 *            LruCache的键,这里传入从网络上下载的Bitmap对象。
	 */
	public void addBitmapToMemoryCache(String key, Bitmap bitmap) {
		if (getBitmapFromMemoryCache(key) == null) {
			mMemoryCache.put(key, bitmap);
		}
	}

	/**
	 * 从LruCache中获取一张图片,如果不存在就返回null。
	 * 
	 * @param key
	 *            LruCache的键,这里传入图片的URL地址。
	 * @return 对应传入键的Bitmap对象,或者null。
	 */
	public Bitmap getBitmapFromMemoryCache(String key) {
		return mMemoryCache.get(key);
	}

	/**
	 * 加载Bitmap对象。此方法会在LruCache中检查所有屏幕中可见的ImageView的Bitmap对象,
	 * 如果发现任何一个ImageView的Bitmap对象不在缓存中,就会开启异步线程去下载图片。
	 */
	public void loadBitmaps(ImageView imageView, String imageUrl) {
		try {
			Bitmap bitmap = getBitmapFromMemoryCache(imageUrl);
			if (bitmap == null) {
				BitmapWorkerTask task = new BitmapWorkerTask();
				taskCollection.add(task);
				task.execute(imageUrl);
			} else {
				if (imageView != null && bitmap != null) {
					imageView.setImageBitmap(bitmap);
				}
			}
		} catch (Exception e) {
			e.printStackTrace();
		}
	}

	/**
	 * 取消所有正在下载或等待下载的任务。
	 */
	public void cancelAllTasks() {
		if (taskCollection != null) {
			for (BitmapWorkerTask task : taskCollection) {
				task.cancel(false);
			}
		}
	}

	/**
	 * 根据传入的uniqueName获取硬盘缓存的路径地址。
	 */
	public File getDiskCacheDir(Context context, String uniqueName) {
		String cachePath;
		if (Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState())
				|| !Environment.isExternalStorageRemovable()) {
			cachePath = context.getExternalCacheDir().getPath();
		} else {
			cachePath = context.getCacheDir().getPath();
		}
		return new File(cachePath + File.separator + uniqueName);
	}

	/**
	 * 获取当前应用程序的版本号。
	 */
	public int getAppVersion(Context context) {
		try {
			PackageInfo info = context.getPackageManager().getPackageInfo(context.getPackageName(),
					0);
			return info.versionCode;
		} catch (NameNotFoundException e) {
			e.printStackTrace();
		}
		return 1;
	}

	/**
	 * 设置item子项的高度。
	 */
	public void setItemHeight(int height) {
		if (height == mItemHeight) {
			return;
		}
		mItemHeight = height;
		notifyDataSetChanged();
	}

	/**
	 * 使用MD5算法对传入的key进行加密并返回。
	 */
	public String hashKeyForDisk(String key) {
		String cacheKey;
		try {
			final MessageDigest mDigest = MessageDigest.getInstance("MD5");
			mDigest.update(key.getBytes());
			cacheKey = bytesToHexString(mDigest.digest());
		} catch (NoSuchAlgorithmException e) {
			cacheKey = String.valueOf(key.hashCode());
		}
		return cacheKey;
	}
	
	/**
	 * 将缓存记录同步到journal文件中。
	 */
	public void fluchCache() {
		if (mDiskLruCache != null) {
			try {
				mDiskLruCache.flush();
			} catch (IOException e) {
				e.printStackTrace();
			}
		}
	}

	private String bytesToHexString(byte[] bytes) {
		StringBuilder sb = new StringBuilder();
		for (int i = 0; i < bytes.length; i++) {
			String hex = Integer.toHexString(0xFF & bytes[i]);
			if (hex.length() == 1) {
				sb.append('0');
			}
			sb.append(hex);
		}
		return sb.toString();
	}

	/**
	 * 异步下载图片的任务。
	 * 
	 * @author guolin
	 */
	class BitmapWorkerTask extends AsyncTask<String, Void, Bitmap> {

		/**
		 * 图片的URL地址
		 */
		private String imageUrl;

		@Override
		protected Bitmap doInBackground(String... params) {
			imageUrl = params[0];
			FileDescriptor fileDescriptor = null;
			FileInputStream fileInputStream = null;
			Snapshot snapShot = null;
			try {
				// 生成图片URL对应的key
				final String key = hashKeyForDisk(imageUrl);
				// 查找key对应的缓存
				snapShot = mDiskLruCache.get(key);
				if (snapShot == null) {
					// 如果没有找到对应的缓存,则准备从网络上请求数据,并写入缓存
					DiskLruCache.Editor editor = mDiskLruCache.edit(key);
					if (editor != null) {
						OutputStream outputStream = editor.newOutputStream(0);
						if (downloadUrlToStream(imageUrl, outputStream)) {
							editor.commit();
						} else {
							editor.abort();
						}
					}
					// 缓存被写入后,再次查找key对应的缓存
					snapShot = mDiskLruCache.get(key);
				}
				if (snapShot != null) {
					fileInputStream = (FileInputStream) snapShot.getInputStream(0);
					fileDescriptor = fileInputStream.getFD();
				}
				// 将缓存数据解析成Bitmap对象
				Bitmap bitmap = null;
				if (fileDescriptor != null) {
					bitmap = BitmapFactory.decodeFileDescriptor(fileDescriptor);
				}
				if (bitmap != null) {
					// 将Bitmap对象添加到内存缓存当中
					addBitmapToMemoryCache(params[0], bitmap);
				}
				return bitmap;
			} catch (IOException e) {
				e.printStackTrace();
			} finally {
				if (fileDescriptor == null && fileInputStream != null) {
					try {
						fileInputStream.close();
					} catch (IOException e) {
					}
				}
			}
			return null;
		}

		@Override
		protected void onPostExecute(Bitmap bitmap) {
			super.onPostExecute(bitmap);
			// 根据Tag找到相应的ImageView控件,将下载好的图片显示出来。
			ImageView imageView = (ImageView) mPhotoWall.findViewWithTag(imageUrl);
			if (imageView != null && bitmap != null) {
				imageView.setImageBitmap(bitmap);
			}
			taskCollection.remove(this);
		}

		/**
		 * 建立HTTP请求,并获取Bitmap对象。
		 * 
		 * @param imageUrl
		 *            图片的URL地址
		 * @return 解析后的Bitmap对象
		 */
		private boolean downloadUrlToStream(String urlString, OutputStream outputStream) {
			HttpURLConnection urlConnection = null;
			BufferedOutputStream out = null;
			BufferedInputStream in = null;
			try {
				final URL url = new URL(urlString);
				urlConnection = (HttpURLConnection) url.openConnection();
				in = new BufferedInputStream(urlConnection.getInputStream(), 8 * 1024);
				out = new BufferedOutputStream(outputStream, 8 * 1024);
				int b;
				while ((b = in.read()) != -1) {
					out.write(b);
				}
				return true;
			} catch (final IOException e) {
				e.printStackTrace();
			} finally {
				if (urlConnection != null) {
					urlConnection.disconnect();
				}
				try {
					if (out != null) {
						out.close();
					}
					if (in != null) {
						in.close();
					}
				} catch (final IOException e) {
					e.printStackTrace();
				}
			}
			return false;
		}

	}

}

代码有点长,我们一点点进行分析。首先在PhotoWallAdapter的构造函数中,我们初始化了LruCache类,并设置了内存缓存容量为程序最大可用内存的1/8,紧接着调用了DiskLruCache的open()方法来创建实例,并设置了硬盘缓存容量为10M,这样我们就把LruCache和DiskLruCache的初始化工作完成了。

接着在getView()方法中,我们为每个ImageView设置了一个唯一的Tag,这个Tag的作用是为了后面能够准确地找回这个ImageView,不然异步加载图片会出现乱序的情况。然后在getView()方法的最后调用了loadBitmaps()方法,加载图片的具体逻辑也就是在这里执行的了。

进入到loadBitmaps()方法中可以看到,实现是调用了getBitmapFromMemoryCache()方法来从内存中获取缓存,如果获取到了则直接调用ImageView的setImageBitmap()方法将图片显示到界面上。如果内存中没有获取到,则开启一个BitmapWorkerTask任务来去异步加载图片。

那么在BitmapWorkerTask的doInBackground()方法中,我们就灵活运用了上篇文章中学习的DiskLruCache的各种用法。首先根据图片的URL生成对应的MD5 key,然后调用DiskLruCache的get()方法来获取硬盘缓存,如果没有获取到的话则从网络上请求图片并写入硬盘缓存,接着将Bitmap对象解析出来并添加到内存缓存当中,最后将这个Bitmap对象显示到界面上,这样一个完整的流程就执行完了。

那么我们再来分析一下上述流程,每次加载图片的时候都优先去内存缓存当中读取,当读取不到的时候则回去硬盘缓存中读取,而如果硬盘缓存仍然读取不到的话,就从网络上请求原始数据。不管是从硬盘缓存还是从网络获取,读取到了数据之后都应该添加到内存缓存当中,这样的话我们下次再去读取图片的时候就能迅速从内存当中读取到,而如果该图片从内存中被移除了的话,那就重复再执行一遍上述流程就可以了。

这样我们就把LruCache和DiskLruCache完美结合到一起了。接下来还需要编写MainActivity的代码,非常简单,如下所示:

  1. public class MainActivity extends Activity {
  2. /**
  3. * 用于展示照片墙的GridView
  4. */
  5. private GridView mPhotoWall;
  6. /**
  7. * GridView的适配器
  8. */
  9. private PhotoWallAdapter mAdapter;
  10. private int mImageThumbSize;
  11. private int mImageThumbSpacing;
  12. @Override
  13. protected void onCreate(Bundle savedInstanceState) {
  14. super.onCreate(savedInstanceState);
  15. setContentView(R.layout.activity_main);
  16. mImageThumbSize = getResources().getDimensionPixelSize(
  17. R.dimen.image_thumbnail_size);
  18. mImageThumbSpacing = getResources().getDimensionPixelSize(
  19. R.dimen.image_thumbnail_spacing);
  20. mPhotoWall = (GridView) findViewById(R.id.photo_wall);
  21. mAdapter = new PhotoWallAdapter(this, 0, Images.imageThumbUrls,
  22. mPhotoWall);
  23. mPhotoWall.setAdapter(mAdapter);
  24. mPhotoWall.getViewTreeObserver().addOnGlobalLayoutListener(
  25. new ViewTreeObserver.OnGlobalLayoutListener() {
  26. @Override
  27. public void onGlobalLayout() {
  28. final int numColumns = (int) Math.floor(mPhotoWall
  29. .getWidth()
  30. / (mImageThumbSize + mImageThumbSpacing));
  31. if (numColumns > 0) {
  32. int columnWidth = (mPhotoWall.getWidth() / numColumns)
  33. - mImageThumbSpacing;
  34. mAdapter.setItemHeight(columnWidth);
  35. mPhotoWall.getViewTreeObserver()
  36. .removeGlobalOnLayoutListener(this);
  37. }
  38. }
  39. });
  40. }
  41. @Override
  42. protected void onPause() {
  43. super.onPause();
  44. mAdapter.fluchCache();
  45. }
  46. @Override
  47. protected void onDestroy() {
  48. super.onDestroy();
  49. // 退出程序时结束所有的下载任务
  50. mAdapter.cancelAllTasks();
  51. }
  52. }
public class MainActivity extends Activity {

	/**
	 * 用于展示照片墙的GridView
	 */
	private GridView mPhotoWall;

	/**
	 * GridView的适配器
	 */
	private PhotoWallAdapter mAdapter;

	private int mImageThumbSize;
	private int mImageThumbSpacing;

	@Override
	protected void onCreate(Bundle savedInstanceState) {
		super.onCreate(savedInstanceState);
		setContentView(R.layout.activity_main);
		mImageThumbSize = getResources().getDimensionPixelSize(
				R.dimen.image_thumbnail_size);
		mImageThumbSpacing = getResources().getDimensionPixelSize(
				R.dimen.image_thumbnail_spacing);
		mPhotoWall = (GridView) findViewById(R.id.photo_wall);
		mAdapter = new PhotoWallAdapter(this, 0, Images.imageThumbUrls,
				mPhotoWall);
		mPhotoWall.setAdapter(mAdapter);
		mPhotoWall.getViewTreeObserver().addOnGlobalLayoutListener(
				new ViewTreeObserver.OnGlobalLayoutListener() {
					
					@Override
					public void onGlobalLayout() {
						final int numColumns = (int) Math.floor(mPhotoWall
								.getWidth()
								/ (mImageThumbSize + mImageThumbSpacing));
						if (numColumns > 0) {
							int columnWidth = (mPhotoWall.getWidth() / numColumns)
									- mImageThumbSpacing;
							mAdapter.setItemHeight(columnWidth);
							mPhotoWall.getViewTreeObserver()
									.removeGlobalOnLayoutListener(this);
						}
					}
				});
	}
	
	@Override
	protected void onPause() {
		super.onPause();
		mAdapter.fluchCache();
	}

	@Override
	protected void onDestroy() {
		super.onDestroy();
		// 退出程序时结束所有的下载任务
		mAdapter.cancelAllTasks();
	}

}

上述代码中,我们通过getViewTreeObserver()的方式监听View的布局事件,当布局完成以后,我们重新修改一下GridView中子View的高度,以保证子View的宽度和高度可以保持一致。

到这里还没有结束,最后还需要配置一下AndroidManifest.xml文件,并加入相应的权限,如下所示:

  1. <manifest xmlns:android="http://schemas.android.com/apk/res/android"
  2. package="com.example.photoswalldemo"
  3. android:versionCode="1"
  4. android:versionName="1.0" >
  5. <uses-sdk
  6. android:minSdkVersion="14"
  7. android:targetSdkVersion="17" />
  8. <uses-permission android:name="android.permission.INTERNET" />
  9. <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />
  10. <application
  11. android:allowBackup="true"
  12. android:icon="@drawable/ic_launcher"
  13. android:label="@string/app_name"
  14. android:theme="@style/AppTheme" >
  15. <activity
  16. android:name="com.example.photoswalldemo.MainActivity"
  17. android:label="@string/app_name" >
  18. <intent-filter>
  19. <action android:name="android.intent.action.MAIN" />
  20. <category android:name="android.intent.category.LAUNCHER" />
  21. </intent-filter>
  22. </activity>
  23. </application>
  24. </manifest>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
    package="com.example.photoswalldemo"
    android:versionCode="1"
    android:versionName="1.0" >

    <uses-sdk
        android:minSdkVersion="14"
        android:targetSdkVersion="17" />

    <uses-permission android:name="android.permission.INTERNET" />
    <uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE" />

    <application
        android:allowBackup="true"
        android:icon="@drawable/ic_launcher"
        android:label="@string/app_name"
        android:theme="@style/AppTheme" >
        <activity
            android:name="com.example.photoswalldemo.MainActivity"
            android:label="@string/app_name" >
            <intent-filter>
                <action android:name="android.intent.action.MAIN" />
                <category android:name="android.intent.category.LAUNCHER" />
            </intent-filter>
        </activity>
    </application>

</manifest>

好了,全部代码都在这儿了,让我们来运行一下吧,效果如下图所示:


第一次从网络上请求图片的时候有点慢,但之后加载图片就会非常快了,滑动起来也很流畅。

那么我们最后再检查一下这些图片是不是已经正确缓存在指定地址了,进入 /sdcard/Android/data/<application package>/cache/thumb 这个路径,如下图所示:


可以看到,每张图片的缓存以及journal文件都在这里了,说明我们的硬盘缓存已经成功了。

好了,今天的讲解就到这里,有疑问的朋友可以在下面留言。

源码下载,请点击这里

 

评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值