我有一个应用程序,需要调整图像大小,然后将其保存为jpg。我的测试图像是一张在天空中具有非常平滑渐变的照片。我在尝试使用此代码调整大小后将其保存到jpeg:
dstBmp = Bitmap.createBitmap(srcBmp, cropX, 0, tWidth, srcBmp.getHeight());
if (android.os.Build.VERSION.SDK_INT > 12) {
Log.w("General", "Calling setHasAlpha");
dstBmp.setHasAlpha(true);
}
dstBmp = Bitmap.createScaledBitmap(dstBmp, scaledSmaller, scaledLarger, true);
OutputStream out = null;
File f = new File(directory + "/f"+x+".jpg");
try {
f.createNewFile();
out = new FileOutputStream(f);
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
}
dstBmp.compress(CompressFormat.JPEG, jpegQuality, out);
问题是在图像的渐变中出现过多的条带,除非我将质量提高到95左右。但是,在质量等级95,结果文件超过150kb。当我在photoshop中执行这些相同的功能并执行“Save for web”时,我可以避免将图像尺寸为50kb的条带一直降低到质量等级40。在我的Web服务器上使用ImageCR,我可以在30kb完成相同的操作。
Java中是否有任何方法可以更有效地将图像压缩为jpeg,或者是否可以使用单独的库或api来实现这一目的?我正在将大量图像加载到内存中,按此速率,应用程序威胁旧设备上的OOM错误。我很乐意为图像操作分配更多时间,如果这将有助于最终结果。
答案 0 :(得分:2)
从http://developer.android.com/training/displaying-bitmaps/load-bitmap.html
尝试此代码简而言之,你有2个静态方法
第一个用于计算图像的新尺寸
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);
}
你可以像这样调用这个函数:
Bitmap b = decodeSampledBitmapFromResource(getResources(), R.id.myimage, 128, 128));
您可以修改第二种方法来获取输入参数String(如果图像是sdcard上的文件的路径)而不是资源,而不是使用decodeResource:
BitmapFactory.decodeFile(path, options);
我在加载大图片时总是使用此代码。