Android开发中,内存问题一直让人很受困扰,而内存问题最常见的原因就在于Bitmap。这里总结一些Bitmap处理(包括截屏),减少内存问题的一些思路。
常用思路
-
减少Bitmap的创建数量、及时回收Bitmap、调用
System.gc()
加速内存回收。 -
获取图片尺寸可使用inJustDecodeBounds参数,不实际解码完整图片,不会生成Bitmap。
-
使用inSampleSize解码低分辨率图片,减少内存占用。
-
Bitmap占用内存 = 宽*高*每个像素点占用字节数
,其中每个像素点占用字节数对于RGB_565
为2,ARGB_8888
为4。 -
对于不需要支持透明度的图片,使用
RGB_565
模式代替ARGB_8888
,内存减少一半。 -
如果可能,使用ShapeDrawable、GradientDrawable(XML格式)等代替图片形式的BitmapDrawable,不需要创建Bitmap。
-
利用Canvas的translate、scale等方法实现图片的缩放、平移、拼接,在JNI层处理,不使用Bitmap.createScaledBitmap等方法,需要创建多个Bitmap。
-
截屏可使用Canvas,直接将View绘制上去。
-
使用
BitmapFactory.decodeStream
代替BitmapFactory.decodeResource
-
图片资源文件使用BitmapDrawable绘制到Canvas上,而不是直接用Bitmap。
-
使用Memory Analyzer (MAT)分析具体的内存占用情况。
代码片段
读取图片尺寸使用inJustDecodeBounds参数
BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = true;
BitmapFactory.decodeFile(filePath, options);
int width = options.outWidth;
int height = options.outHeight
使用inSampleSize解码低分辨率图片
BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = false;
options.inSampleSize = 4; // inSampleSize为2的次方
Bitmap bmp = BitmapFactory.decodeFile(filePath, options);
利用DrawingCache截取View并缩放(不推荐)
public static Bitmap captureFromView(View view, float scale) {
if (view == null) {
return null;
}
view.setDrawingCacheEnabled(true);
Bitmap bitmap = null;
try {
Bitmap cacheBitmap = view.getDrawingCache();
if (null != cacheBitmap) {
bitmap = Bitmap.createScaledBitmap(cacheBitmap,
(int) (cacheBitmap.getWidth() * scale),
(int) (cacheBitmap.getHeight() * scale), false);
}
} catch (OutOfMemoryError e) {
return null;
} finally {
view.setDrawingCacheEnabled(false);
view.destroyDrawingCache();
}
return bitmap;
}
利用Canvas截取View,并缩小一半
public static Bitmap captureFromView(View view) {
if (view == null) {
return null;
}
Bitmap bitmap = Bitmap.createBitmap(view.getWidth() / 2, view.getHeight() / 2, Bitmap.Config.RGB_565);
Canvas canvas = new Canvas(bitmap);
canvas.scale(0.5f, 0.5f); // Canvas坐标轴缩小一倍
view.draw(canvas);
return bitmap;
}
举例:PNG资源文件绘制到Bitmap中
int width = 720;
int height = 960;
int resId = R.drawable.ic_background;
Bitmap result = Bitmap.createBitmap(width, height, Bitmap.Config.RGB_565);
Canvas canvas = new Canvas(result);
原始代码:
- 从资源文件创建Bitmap,然后缩放成新的Bitmap,再绘制到Canvas上。
- 期间最多时同时有3个Bitmap存在,占用内存很大。
- 第一个bmp没有调用
recycle()
方法触发内存回收。
Bitmap bmp = BitmapFactory.decodeResource(context.getResources(), resId);
bmp = Bitmap.createScaledBitmap(bmp, width, height, false);
canvas.drawBitmap(bmp, 0, 0, null);
bmp.recycle();
优化后的代码:
- 直接使用BitmapDrawable绘制。
- BitmapDrawable内部做了缓存,避免了自己创建Bitmap。
- 图片的缩放由Canvas在JNI层由系统完成,不占用Java层内存。
Drawable drawable = context.getDrawable(resId);
if (drawable != null) {
drawable.setBounds(0, 0, width, height);
drawable.draw(canvas);
}
参考资料
- 《Bitmap的生成流程之BitmapFactory.decodeResource VS BitmapFactory.decodeStream》 http://blog.csdn.net/imyfriend/article/details/8039767