以质量= 100比原始文件大的文件压缩位图
我正尝试将图像发送到服务器。 在发送之前,我正在缩小它的尺寸和质量,然后解决任何旋转问题。 我的问题是,旋转图像后,当我保存它时,文件比以前更大。 在旋转大小为10092之前和旋转之后是54226
// Scale image to reduce it
Bitmap reducedImage = reduceImage(tempPhotoPath);
// Decrease photo quality
FileOutputStream fos = new FileOutputStream(tempPhotoFile);
reducedImage.compress(CompressFormat.JPEG, 55, fos);
fos.flush();
fos.close();
// Check and fix rotation issues
Bitmap fixed = fixRotation(tempPhotoPath);
if(fixed!=null)
{
FileOutputStream fos2 = new FileOutputStream(tempPhotoFile);
fixed.compress(CompressFormat.JPEG, 100, fos2);
fos2.flush();
fos2.close();
}
public Bitmap reduceImage(String originalPath)
{
// Decode image size
BitmapFactory.Options o = new BitmapFactory.Options();
o.inJustDecodeBounds = true;
o.inPurgeable = true;
o.inInputShareable = true;
BitmapFactory.decodeFile(originalPath, o);
// The new size we want to scale to
final int REQUIRED_SIZE = 320;
// Find the correct scale value. It should be the power of 2.
int width_tmp = o.outWidth, height_tmp = o.outHeight;
int scale = 1;
while (true) {
if (width_tmp / 2 < REQUIRED_SIZE || height_tmp / 2 < REQUIRED_SIZE) {
break;
}
width_tmp /= 2;
height_tmp /= 2;
scale *= 2;
}
// Decode with inSampleSize
BitmapFactory.Options o2 = new BitmapFactory.Options();
o2.inPurgeable = true;
o2.inInputShareable = true;
o2.inSampleSize = scale;
Bitmap bitmapScaled = null;
bitmapScaled = BitmapFactory.decodeFile(originalPath, o2);
return bitmapScaled;
}
public Bitmap fixRotation(String path)
{
Bitmap b = null;
try
{
//Find if the picture is rotated
ExifInterface exif = new ExifInterface(path);
int degrees = 0;
if(exif.getAttribute(ExifInterface.TAG_ORIENTATION).equalsIgnoreCase("6"))
degrees = 90;
else if(exif.getAttribute(ExifInterface.TAG_ORIENTATION).equalsIgnoreCase("8"))
degrees = 270;
else if(exif.getAttribute(ExifInterface.TAG_ORIENTATION).equalsIgnoreCase("3"))
degrees = 180;
if(degrees > 0)
{
BitmapFactory.Options o = new BitmapFactory.Options();
o.inPurgeable = true;
o.inInputShareable = true;
Bitmap bitmap = BitmapFactory.decodeFile(path, o);
int w = bitmap.getWidth();
int h = bitmap.getHeight();
Matrix mtx = new Matrix();
mtx.postRotate(degrees);
b = Bitmap.createBitmap(bitmap, 0, 0, w, h, mtx, true);
}
}
catch(Exception e){e.printStackTrace();}
return b;
}
你正在用不同的质量度量压缩它。 旋转后,您使用的是质量100,因此它将是比前一个更大的文件,质量为55。
压缩图像时,无论当前文件大小/质量如何。 这对结果没有实际影响。 在55质量,然后用100质量压缩, 不会导致具有相同大小的文件作为一个简单的55质量压缩。 它会生成一个大小为100的压缩文件,因为这是对它做的最后一件事。
对于你的具体代码,我不确定我是否看到背后压缩它的原因。 压缩(文件大小)不是在旋转时导致OOM问题的原因,图像尺寸很可能是罪魁祸首。 在旋转之前缩小图像应该可以解决这个问题,不需要保存临时文件。
您只需运行reduceImage()
,然后使用fixRotation()
进行跟踪。 修正你的旋转方法,以便它接受一个Bitmap
而不是一个路径,所以你不需要在两者之间保存文件。 最后,以您想要的任何质量保存/压缩它。
如果您出于某种原因需要临时文件,请使用PNG进行第一次压缩。 这样它就没有损失,所以当你重新压缩最终图像时,你不会以低质量两次使用JPG(有损)。
链接地址: http://www.djcxy.com/p/69773.html上一篇: Bitmap compressed with quality=100 bigger file size than original
下一篇: How To Compute HTTP request processing time without network latency?