我有问题。我的主菜单/开始屏幕有一个大图形。这会导致某些旧设备出现内存不足异常。这是一个PNG文件与resoluton 1920 * 1080,我使用ImageFormat RGB565。你有什么想法我可以减少用过的公羊吗?
答案 0 :(得分:0)
如上所述,您可以缩小图像,但如果由于某种原因您不想或不能这样做,您可能需要检查该链接:
http://developer.android.com/training/displaying-bitmaps/index.html
您也可以添加
largeHeap=true
为了增加内存,但它只适用于新设备,Android 2.x不支持
答案 1 :(得分:0)
这就是你要找的东西:
BitmapFactory.Options.inSampleSize
如果设置为true,则生成的位图将分配它 像素,以便在系统需要回收时可以清除它们 记忆。在那种情况下,当需要再次访问像素时 (例如,绘制位图,调用getPixels()),它们将是 自动重新解码。为了重新解码,位图必须 可以通过共享对数据的引用来访问编码数据 输入或复制它。这种区别受到控制 inInputShareable。如果这是真的,那么位图可能会保持浅薄 参考输入。如果这是假的,那么位图将会 明确地制作输入数据的副本,并保留它。即使 允许共享,实施可能仍然决定深入 输入数据的副本。
来源: http://developer.android.com/reference/android/graphics/BitmapFactory.Options.html#inSampleSize
所以基本上你可以根据屏幕分辨率和可用的RAM来调整inSampleSize
,这样你就可以为给定的设备提供足够的位图版本。这样可以防止发生OutOfMemoryError
错误。
以下是如何使用它的示例:
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);
}
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) {
// Calculate ratios of height and width to requested height and width
final int heightRatio = Math.round((float) height / (float) reqHeight);
final int widthRatio = Math.round((float) width / (float) reqWidth);
// Choose the smallest ratio as inSampleSize value, this will guarantee
// a final image with both dimensions larger than or equal to the
// requested height and width.
inSampleSize = heightRatio < widthRatio ? heightRatio : widthRatio;
}
return inSampleSize;
}
来源:http://developer.android.com/training/displaying-bitmaps/load-bitmap.html 该链接下还有一些信息,所以我建议您查看。