年轻的我们经常使用setImageResource加载加载本地图片,按道理来说这是没有什么问题的。但是看看bugly你就GG了,年轻还是太年轻了....看到OOM头都大了...哎!。。。
当我们在使用setImageBitmap、setImageResource、BitmapFactory.decodeResource来加载大图,在某些手机上很容易出现OOM内存溢出。why? 因为这些还是在完成decode后,都是通过Java层的createBitmap来完成,因此需要消耗更多的内存。
1、最简单的解决方案,就是使用图片加载库来加载图片(Glide或者其他库)
2、通过BitmapFactory.decodeStream方法,创建bitmap。使用decodeStream最大的区别就是直接JNI调用nativeDecodeAsset()来完成decode,无需使用Java层的createBitmap,可以节省Java层的内存空间。
private BitmapDrawable createBitmapDrawable(Context context, int drawableId) {
BitmapFactory.Options options = new BitmapFactory.Options();
options.inPreferredConfig = Bitmap.Config.RGB_565;
options.inPurgeable = true;
options.inInputShareable = true;
InputStream inputStream = context.getResources().openRawResource(drawableId);
Bitmap bitmap = BitmapFactory.decodeStream(inputStream, null, options);
BitmapDrawable bitmapDrawable = new BitmapDrawable(context.getResources(), bitmap);
return bitmapDrawable;
}
注意:decodeStream是直接读取字节码,不会根据屏幕的分辨率来自动适应,需要在资源配置中根据不同的分辨率读取不同的资源文件
网友评论