Bitmap的高效加载
程序员文章站
2024-02-11 11:49:52
...
BitmapFactory类提供了四类方法:decodeFile,decodeResource,decodeStream,decodeByteArray,分别用于支持从文件系统、资源、输入流和字节数组中加载出一个Bitmap对象。如何高效加载一个Bitmap?其核心思想就是采用BitmapFactory.Options来加载所需尺寸的图片,主要是用到它的inSampleSize参数,即采样率。通过这个参数可以按照一定的比例对图片进行缩放,这样就会降低内存占用从而在一定程度上避免OOM,提高加载Bitmap的性能。
对于如何获取采样率呢?可以采用如下流程:
1、将BitmapFactory.Options的inJustDecodeBounds参数设置为true并加载图片;
2、从BitmapFactory.Options中取出图片的原始宽高信息,他们对应outWidth和outHeight参数;
3、根据采样率的规则并结合目标View所需的大小计算出采样率inSampleSize;
4、将BitmapFactory.Options的inJustDecodeBounds参数设为false,然后重新加载图片。
经过上述4个步骤,加载出的图片就是缩放后的图片。当inJustDecodeBounds设为true时,BitmapFactory只会解析图片的原始宽高,并不会真正的加载图片。
将上述4个步骤用程序来实现:
public static Bitmap decodeSampleBitmapFromResource(Resources res,
int resId,
int reqWidth,
int reqHeight){
BitmapFactory.Options options = new BitmapFactory.Options();
//1
options.inJustDecodeBounds = true;
BitmapFactory.decodeResource(res,resId,options);
//2\3
options.inSampleSize = calculateInSampleSize(options,reqWidth,reqHeight);
//4
options.inJustDecodeBounds = false;
return BitmapFactory.decodeResource(res,resId,options);
}
private static int calculateInSampleSize(BitmapFactory.Options options, int reqWidth, int reqHeight) {
int width = options.outWidth;
int height = options.outHeight;
int inSampleSize = 1;
if (width > reqWidth || height > reqHeight){
int halfWidth = width / 2;
int halfHeight = height / 2;
while ((halfWidth / inSampleSize) >= reqWidth && (halfHeight / inSampleSize) >= reqHeight){
inSampleSize *= 2;
}
}
return inSampleSize;
}
上一篇: IT忍者神龟之数据库备份还原技术总结
下一篇: 关于数据去重(distinct)