Android有效的处理Bitmap,减少内存
Android有效的处理Bitmap,减少内存
图片可能会有不同的大小。在许多情况下,图片的大小会超出我们需要的大小。例如,我们的Camera应用,我们所拍的照片的大小远大于屏幕显示的大小
假如你的应用被限制了内存使用,显而易见,你会选择加载一个低分辨率的图片。这张低分辨率的图片应该匹配屏幕的尺寸。更高分辨率的图像没有提供任何可见的好处,但仍占用宝贵的内存,而且由于额外的动态缩放,会带来额外的性能开销。
本篇文章教你通过加载一个小尺寸的图片样本,来修饰一张大图,并且没有超过应用的内存限制。
原文地址http://wear.techbrood.com/training/displaying-bitmaps/load-bitmap.html
获取图片的类型尺寸
BitmapFactory.Options options = new BitmapFactory.Options(); options.inJustDecodeBounds = true; BitmapFactory.decodeResource(getResources(), R.id.myimage, options); int imageHeight = options.outHeight; int imageWidth = options.outWidth; String imageType = options.outMimeType;为了避免
java.lang.OutOfMemory
exceptions,在解码图片之前,预先检查Bitmap的大小,除非你有绝对的把握你的bitmap有合适的大小,并且在内存限制大小范围之内。加载缩放的图片到内存
- 估计加载整个图像所占用的内存
- 你可以接收的内存使用量和你程序可以使用的内存
- 你放该图片的ImageView的尺寸或者其他UI组件的尺寸
- 屏幕的大小
public static int calculateInSampleSize( BitmapFactory.Options options, int reqWidth, int reqHeight) { // Raw height and width of image final int height = options.outHeight; final int width = options.outWidth; int inSampleSize = 1; if (height > reqHeight || width > reqWidth) { final int halfHeight = height / 2; final int halfWidth = width / 2; // Calculate the largest inSampleSize value that is a power of 2 and keeps both // height and width larger than the requested height and width. while ((halfHeight / inSampleSize) > reqHeight && (halfWidth / inSampleSize) > reqWidth) { inSampleSize *= 2; } } return inSampleSize; }
Note: A power of two value is calculated because the decoder uses a final value by rounding down to the nearest power of two, as per the inSampleSize documentation.
inJustDecodeBounds
为true,然后我们计算inSample的值,然后设置inJustDecodeBounds为false,最后解码图片。
public static Bitmap decodeSampledBitmapFromResource(Resources res, int resId, int reqWidth, int reqHeight) { // First decode with inJustDecodeBounds=true to check dimensions final BitmapFactory.Options options = new BitmapFactory.Options(); options.inJustDecodeBounds = true; BitmapFactory.decodeResource(res, resId, options); // Calculate inSampleSize options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight); // Decode bitmap with inSampleSize set options.inJustDecodeBounds = false; return BitmapFactory.decodeResource(res, resId, options); }
这种方法可以帮助我们轻松有效的加载一张100*100的缩略图片:
mImageView.setImageBitmap( decodeSampledBitmapFromResource(getResources(), R.id.myimage, 100, 100));
BitmapFactory.decode*
as
need。郑重声明:本站内容如果来自互联网及其他传播媒体,其版权均属原媒体及文章作者所有。转载目的在于传递更多信息及用于网络分享,并不代表本站赞同其观点和对其真实性负责,也不构成任何其他建议。