我在看这个视频,它讨论了位图和垃圾收集的内存分配:
Chet 正在谈论它是如何由开发人员在SDK 11
使用之前.recycle()
和之后SDK 11
由GC
.
对于一个更实际的情况,目前我正在编写一个应用程序,其中一个Activities
我创建了许多片段,这些片段基本上包含 ImageViews
. 这些图像是从设备相机创建的。所以我遇到了这个OutOfMemory
问题并意识到我必须重新调整从相机获得的图像的大小,因为结果非常高分辨率并且占用了我所有的应用程序内存。
所以现在我正在使用这种方法重新调整和设置尺寸非常小的图像:
img.setImageBitmap(decodeSampledBitmapFromFile(imagePath, 100, 70));
什么时候decodeSampledBitmapFromFile
:
public static Bitmap decodeSampledBitmapFromFile(String path, int reqWidth, int reqHeight)
{ // BEST QUALITY MATCH
// First decode with inJustDecodeBounds=true to check dimensions
final BitmapFactory.Options options = new BitmapFactory.Options();
options.inJustDecodeBounds = true;
BitmapFactory.decodeFile(path, options);
// Calculate inSampleSize
// Raw height and width of image
final int height = options.outHeight;
final int width = options.outWidth;
options.inPreferredConfig = Bitmap.Config.RGB_565;
int inSampleSize = 1;
if (height > reqHeight) {
inSampleSize = Math.round((float)height / (float)reqHeight);
}
int expectedWidth = width / inSampleSize;
if (expectedWidth > reqWidth) {
//if(Math.round((float)width / (float)reqWidth) > inSampleSize) // If bigger SampSize..
inSampleSize = Math.round((float)width / (float)reqWidth);
}
options.inSampleSize = inSampleSize;
// Decode bitmap with inSampleSize set
options.inJustDecodeBounds = false;
return BitmapFactory.decodeFile(path, options);
}
}
但我仍然从不.recycle()
在任何位图上调用方法,因为我需要它们都出现在屏幕上。
我的问题是:
1.如果我调用 .recycle()
已设置为ImageView
using的位图,setImageBitmap
是否意味着它将从屏幕上消失,或者我会收到异常?
2.如果我不打电话.recycle()
,但我正在 Galaxy S3 上运行我的应用程序(4.2.1)
,例如当我的应用程序是minSDK is 8
. GC 会帮我完成这项工作吗?
3.在视频中他谈到了使用BitmapFactory
对象的位图重用,在 SDK 11 之前有没有办法做到这一点?