如何以与Androids ImageView
正在进行的方式相同的方式裁剪
android:scaleType="centerCrop"
答案 0 :(得分:90)
你的问题是关于你想要完成什么的信息有点缺乏,但我猜你有一个Bitmap,并希望将其缩放到一个新的大小,并且缩放应该完成,因为“centerCrop”适用于ImageViews。 / p>
来自Docs
均匀缩放图像(保持图像的纵横比) 图像的尺寸(宽度和高度)将等于或 大于视图的相应尺寸(减去填充)。
据我所知,没有任何一个人做这件事(请纠正我,如果我错了),但你可以编写自己的方法来做到这一点。以下方法计算如何将原始位图缩放到新大小,并将其绘制在生成的位图中心。
希望它有所帮助!
public Bitmap scaleCenterCrop(Bitmap source, int newHeight, int newWidth) {
int sourceWidth = source.getWidth();
int sourceHeight = source.getHeight();
// Compute the scaling factors to fit the new height and width, respectively.
// To cover the final image, the final scaling will be the bigger
// of these two.
float xScale = (float) newWidth / sourceWidth;
float yScale = (float) newHeight / sourceHeight;
float scale = Math.max(xScale, yScale);
// Now get the size of the source bitmap when scaled
float scaledWidth = scale * sourceWidth;
float scaledHeight = scale * sourceHeight;
// Let's find out the upper left coordinates if the scaled bitmap
// should be centered in the new size give by the parameters
float left = (newWidth - scaledWidth) / 2;
float top = (newHeight - scaledHeight) / 2;
// The target rectangle for the new, scaled version of the source bitmap will now
// be
RectF targetRect = new RectF(left, top, left + scaledWidth, top + scaledHeight);
// Finally, we create a new bitmap of the specified size and draw our new,
// scaled bitmap onto it.
Bitmap dest = Bitmap.createBitmap(newWidth, newHeight, source.getConfig());
Canvas canvas = new Canvas(dest);
canvas.drawBitmap(source, null, targetRect, null);
return dest;
}