我试图根据宽度/高度缩放图像。这是我的方法:
private byte[] scaleImage(Bitmap image) {
byte[] image = new byte[]{};
int width= image.getWidth();
int height = image.getHeight();
int wh = width / height ;
int hw = height / width ;
int newHeight, newWidth;
if (width> 250 || height> 250) {
if (width> height) { //landscape-mode
newHeight= 250;
newWidth = Math.round((int)(long)(250 * wh));
Bitmap sizeChanged = Bitmap.createScaledBitmap(image, newWidth, newHeight, true);
int bytes = størrelseEndret.getByteCount();
ByteBuffer bb = ByteBuffer.allocate(bytes);
sizeChanged.copyPixelsFromBuffer(bb);
image = bb.array();
} else { //portrait-mode
newWidth = 250;
newHeight = Math.round((int)(long)(250 * hw));
...same
}
}
return image;
}
之后,我写了一些代码将图片从Bitmap
转换为byte[] array
,但在Debug
之后,我注意到我得到了非常奇怪的值。例如:
width = 640
,height = 480
,wh = 1
,hw = 0
,newHeight = 200
和newWidth = 200?
!我根本不明白为什么?我究竟做错了什么?任何帮助或提示非常感谢。谢谢,卡尔
答案 0 :(得分:1)
你遇到了整数运算的问题,基本上 - 你正在执行除法以获得比例因子,但是作为整数 - 所以对于像640x480这样的比例,比例因子将是1和0,因为640/480是1,480/640是0。
您可以将其更改为(x1/y1)*y2
,而不是将其更改为(x1*y2)/y1
,以便之后执行分割。只要你不在乘法中溢出整数限制(这里不太可能),它应该没问题。因此,我将您的代码重写为:
private byte[] scaleImage(Bitmap image) {
byte[] image = new byte[]{};
int width = image.getWidth();
int height = image.getHeight();
int newHeight, newWidth;
if (width > 250 || height > 250) {
if (width > height) { //landscape-mode
newHeight = 250;
newWidth = (newHeight * width) / height;
} else {
newWidth = 250;
newHeight = (newWidth * height) / width;
}
} else {
// Whatever you want to do here
}
// Now use newWidth and newHeight
}
(我肯定将"计算newWidth
和newHeight
&#34;与&#34;进行缩放&#34;如果可能,以避免重复代码。)< / p>