您的位置:首页 > 移动开发 > Android开发

android中使用SoftRefrence解决Bitmap过大内存溢出问题

2014-06-03 08:22 579 查看
之前做一个手机展示多张图片的项目,做了一个异步加载图片并显示的独立控件,经常遇到报这种错误:java.lang.OutOfMemoryError: bitmap size exceeds VM budget,这是因为,android系统中读取位图Bitmap时.分给虚拟机中图片的堆栈大小只有8M。所以不管我使用了SD卡缓存图片,还是使用了bitmap.recycle()进行内存回收,但在控件多次加载后,还是经常会遇到这个内存溢出的问题。后来使用软引用(SoftRefrence)来进行内存缓存,这一问题得以解决。程序片段如下:

privatefinalstatic int HARD_CACHE_CAPACITY = 30;
/**
* 缓存bitmap至内存
*/
privatefinalHashMap<String, Bitmap> mHardBitmapCache = newLinkedHashMap<String, Bitmap>(HARD_CACHE_CAPACITY/ 2,0.75f,true) {

@Override
protectedbooleanremoveEldestEntry(LinkedHashMap.Entry<String, Bitmap> eldest) {
if(size() >HARD_CACHE_CAPACITY) {
//当map的size大于30时,把最近不常用的key放到mSoftBitmapCache中,从而保证mHardBitmapCache的效率
mSoftBitmapCache.put(eldest.getKey(),newSoftReference<Bitmap>(eldest.getValue()));
returntrue;
}else
returnfalse;
}

};

/**
*当mHardBitmapCache的key大于30的时候,会根据LRU算法把最近没有被使用的key放入到这个缓存中。
*Bitmap使用了SoftReference,当内存空间不足时,此cache中的bitmap会被垃圾回收掉
*/
privatefinalstatic ConcurrentHashMap<String, SoftReference<Bitmap>> mSoftBitmapCache = newConcurrentHashMap<String,SoftReference<Bitmap>>(HARD_CACHE_CAPACITY / 2);

/**
* 从缓存中获取图片
*/
privateBitmap getBitmapFromCache(String name) {
// 先从mHardBitmapCache缓存中获取
synchronized(mHardBitmapCache) {
finalBitmap bitmap = mHardBitmapCache.get(name);
if(bitmap != null) {
//如果找到的话,把元素移到linkedhashmap的最前面,从而保证在LRU算法中是最后被删除
mHardBitmapCache.remove(name);
mHardBitmapCache.put(name,bitmap);
returnbitmap;
}
}
//如果mHardBitmapCache中找不到,到mSoftBitmapCache中找
SoftReference<Bitmap>bitmapReference = mSoftBitmapCache.get(name);
if(bitmapReference != null) {
finalBitmap bitmap =bitmapReference.get();
if(bitmap != null) {
returnbitmap;
}else{
mSoftBitmapCache.remove(name);
}
}
returnnull;
}

/**
* 显示图片
* @param name 图片名称
*/
privatevoidshow(String name){
ImageView image = newImageView(act);
image.setImageBitmap(getBitmapFromCache(name));
}
内容来自用户分享和网络整理,不保证内容的准确性,如有侵权内容,可联系管理员处理 点击这里给我发消息