我有一张图片(147 KB),我想将它缩小到100KB以下。下面的代码试图这样做,但是当图像出现在另一侧时,宽度和高度按比例缩小,但图像上的磁盘空间从147到250!它应该变小而不是更高......
你能告诉我为什么这段代码没有这样做吗?
由于
//Save image
BufferedImage resizeImagePng = resizeImage(originalImage, type, newLargeImageLocation);
//Resize and save
ImageIO.write(resizeImagePng, "png", new File(newSmallImageLocation));
//Create new image
private static BufferedImage resizeImage(BufferedImage originalImage, int type, String newLargeLocation) throws Exception{
//Get size of image
File file =new File(newLargeLocation);
//File size in KBs
double bytes = file.length();
double kiloBytes = bytes/1024;
double smallWidth = originalImage.getWidth();
double smallHeight = originalImage.getHeight();
double downMult = 1;
//If image is too large downsize to fit the size
if (kiloBytes>MAX_IMAGE_SIZE_IN_KYLOBITES) {
downMult = MAX_IMAGE_SIZE_IN_KYLOBITES/kiloBytes;
smallWidth *= downMult;
smallHeight *= downMult;
}
//Final dimensions
int finalHeight = (int)smallHeight;
int finalWidth = (int)smallWidth;
//Init after
BufferedImage after = new BufferedImage(finalWidth, finalHeight, BufferedImage.TYPE_INT_ARGB);
//Scale
AffineTransform at = new AffineTransform();
at.scale(downMult, downMult);
//Scale op
AffineTransformOp scaleOp = new AffineTransformOp(at, AffineTransformOp.TYPE_BILINEAR);
after = scaleOp.filter(originalImage, after);
//Return after
return after;
}
答案 0 :(得分:1)
2个问题,我也有一个调整大小的程序,但我调整图像的大小有点不同:
首先,我从名为original
的BufferedImage对象开始创建一个Dimension对象(不是真的需要,但从设计角度来看似乎好一点)final int width = original.getWidth();
final int height = original.getHeight();
final Dimension d = new Dimension(width, height);
在我的情况下,它不是关于文件大小,而是关于最大宽度和/或高度,所以没有详细说明我根据上面创建的一个计算新的Dimension对象。 新的Dimension对象称为缩放。
这是我获取新的缩放缓冲图像的方法:
public BufferedImage resizeExact(final BufferedImage original, final Dimension scaled, final Dimension offset) {
final Image newImage = original.getScaledInstance(scaled.width, scaled.height, Image.SCALE_SMOOTH);
final BufferedImage bufferedImage = new BufferedImage(newImage.getWidth(null),
newImage.getHeight(null),
BufferedImage.TYPE_INT_BGR);
bufferedImage.createGraphics().drawImage(newImage, offset.width, offset.height, null);
return bufferedImage;
}
使用这段代码,我获得了一个名为resizedImage的BufferedImage,需要将其写入OutputStream,为此我使用此代码:
ImageIO.write(resized, "jpg", out);
out.close();
这里我是关于第二个问题:我使用标准的ImageIO类将BufferedImage编写为jpeg文件。这里的问题是JPEG编码器通常使用压缩因子,因子越高,生成的文件越小,但结果文件中的质量损失越大。该代码使用默认压缩因子70%。哪个适合我。但是,如果yoy想要更改此内容,此参考说明了如何执行此操作:Setting jpg compression level with ImageIO in Java。请注意,此处将其更改为100%实质上是一个较低的压缩因子。
您的代码段未显示最终如何创建jpeg文件(我假设您也使用jpeg)。如果您的原始图像被压缩,请说比例为40%(不太可能,因为那时我会得到一个糟糕的图像),所以没有jpeged你有100%,如果你想减小文件大小到80%你减少图像大小到80%,如果你用70%压缩系数压缩它,你的最终结果将是56%,大于40%。
希望这会有所帮助。但是如果你指定你如何编写jeg图像(可能使用另一个库而不是javax.imageio的标准),可能还有另一种方法来指定压缩因子。