编辑
由于您不想按比例缩小图像,这是可以理解的,因此您可能需要考虑降低要加载到内存的图像的质量/sizeInMbs。
例如,您说您有一个 2048*2048 的图像,大约需要 30 mb,这对于这样大小的图像来说相当大。
看看Romain Guy 的这个演示,他使用的是 1280*752 的图像,但大小只有几百 kb。尽管尺寸很小,但在工作演示中,图像看起来非常清晰明快。
首先,将2048*2048的图像加载到您提到的那些设备这样的小设备屏幕上是一种资源浪费。这是一个关于如何有效地缩放和加载大图像的详细教程的链接。
请记住,您应该尽可能缩小图像,Android 开发者网站提到:“具有更高分辨率的图像不会提供任何明显的好处,但仍会占用宝贵的内存并导致额外的性能开销,因为额外的飞行缩放。”
第一步,首先使用 BitmapFactory.Options 获取图像尺寸:
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;
第二步,找出一个采样因子:将图像缩小多少
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;
}
最后,您可以使用以下方法缩小它:
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);
}