我想为图像实现内存和磁盘缓存。调查我找到了这个链接和示例代码(你可以从右边的链接下载它)
http://developer.android.com/training/displaying-bitmaps/cache-bitmap.html
代码中的某处有这种方法:
/**
* Get a usable cache directory (external if available, internal otherwise).
*
* @param context The context to use
* @param uniqueName A unique directory name to append to the cache dir
* @return The cache dir
*/
public static File getDiskCacheDir(Context context, String uniqueName) {
// Check if media is mounted or storage is built-in, if so, try and use external cache dir
// otherwise use internal cache dir
final String cachePath =
Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState()) ||
!isExternalStorageRemovable() ? getExternalCacheDir(context).getPath() :
context.getCacheDir().getPath();
return new File(cachePath + File.separator + uniqueName);
}
我想知道这个检查背后的理由是什么:
Environment.MEDIA_MOUNTED.equals(Environment.getExternalStorageState()) ||
!isExternalStorageRemovable()
第二部分对我来说似乎是多余的。这可以理解为“即使没有安装外部存储,我们也可以使用它,因为它不能被删除”,但显然你不能将它用于缓存,因为它没有安装。
使用此代码在模拟器上发生了有趣的事情。它在基于 Galaxy Nexus 和未指定 SD 卡的 AVD 上崩溃。第一部分将返回 false(它将其视为“已删除”),第二部分将返回 true(因为“外部”存储在 GN 上不可删除)。因此,它将尝试使用外部存储,并且由于无法使用它而崩溃。
我已经用我的 Galaxy Nexus 进行了测试,看看当手机连接到 pa PC 或 Mac 时第一部分的价值是多少,两次都是如此。它仍处于安装状态,但 PC 或 Mac 仍可对其进行写入。
如果您需要它们,这里有上面代码中使用的其他方法:
/**
* Check if external storage is built-in or removable.
*
* @return True if external storage is removable (like an SD card), false
* otherwise.
*/
@TargetApi(9)
public static boolean isExternalStorageRemovable() {
if (Utils.hasGingerbread()) {
return Environment.isExternalStorageRemovable();
}
return true;
}
/**
* Get the external app cache directory.
*
* @param context The context to use
* @return The external cache dir
*/
@TargetApi(8)
public static File getExternalCacheDir(Context context) {
if (Utils.hasFroyo()) {
return context.getExternalCacheDir();
}
// Before Froyo we need to construct the external cache dir ourselves
final String cacheDir = "/Android/data/" + context.getPackageName() + "/cache/";
return new File(Environment.getExternalStorageDirectory().getPath() + cacheDir);
}
奖金问题:有人在生产中使用此代码吗?这是一个好主意吗?