将位图大小调整为 512x512 而不改变原始宽高比

问题描述 投票:0回答:2

我已经创建了位图。尺寸没有具体规定。有时为 120x60、129x800、851x784。它没有特定的值...我想让这些位图大小始终调整为 512x512,但不改变原始图像的长宽比。并且无需裁剪。新图像必须具有 512x512 画布,并且原始图像必须居中且不进行任何裁剪。

我正在使用此函数调整位图大小,但它使图像非常糟糕,因为图像适合 X 和 Y 。我不希望图像同时适合 x 和 y 适合其中之一并保持其纵横比。

来自 https://thinkandroid.wordpress.com/2009/12/25/resizing-a-bitmap/ :

 public Bitmap getResizedBitmap(Bitmap bm, int newWidth, int newHeight) {
        int width = bm.getWidth();
        int height = bm.getHeight();
        float scaleWidth = ((float) newWidth) / width;
        float scaleHeight = ((float) newHeight) / height;
        // CREATE A MATRIX FOR THE MANIPULATION
        Matrix matrix = new Matrix();
        // RESIZE THE BIT MAP
        matrix.postScale(scaleWidth, scaleHeight);

        // "RECREATE" THE NEW BITMAP
        Bitmap resizedBitmap = Bitmap.createBitmap(
                bm, 0, 0, width, height, matrix, false);
        bm.recycle();
        return resizedBitmap;
    }

我有什么;

我想要什么;

java android bitmap android-bitmap
2个回答
3
投票

好的,那么你已经很接近了。我现在无法测试这一点,但基本上需要改变的是

1)您需要对 X 和 Y 应用相同的比例,因此您需要选择较小的比例(如果不起作用,请尝试较大的比例)。

matrix.postScale(Math.min(scaleWidth, scaleHeight), Math.min(scaleWidth, scaleHeight));

2) 结果将是一个位图,其中至少一侧为 512px 大,另一侧较小。因此,您需要添加填充以使该边适合 512px(左右/顶部和底部均相同)。为此,您需要创建所需大小的新位图:

Bitmap outputimage = Bitmap.createBitmap(512,512, Bitmap.Config.ARGB_8888);

3) 最后根据

resizedBitmap
的哪一侧是 512px,您需要将
resizedBitmap
绘制到
outputImage

中的正确位置
Canvas can = new Canvas(outputimage);
can.drawBitmap(resizedBitmap, (512 - resizedBitmap.getWidth()) / 2, (512 - resizedBitmap.getHeight()) / 2, null);

请注意,

512 - resizedBitmap.getWidth()
会导致
0
,因此尺寸正确的一侧没有填充。

4)现在返回

outputImage


1
投票

这是 Kotlin 中的简化,它使用矩阵进行缩放和平移,跳过中间位图。

请注意,它还将新像素的背景颜色设置为白色,这是我的图像管道所需的。如果不需要,请随意删除。

fun resizedBitmapWithPadding(bitmap: Bitmap, newWidth: Int, newHeight: Int) : Bitmap {
    val scale = min(newWidth.toFloat() / bitmap.width, newHeight.toFloat() / bitmap.height)
    val scaledWidth = scale * bitmap.width
    val scaledHeight = scale * bitmap.height

    val matrix = Matrix()
    matrix.postScale(scale, scale)
    matrix.postTranslate(
        (newWidth - scaledWidth) / 2f,
        (newHeight - scaledHeight) / 2f
    )

    val outputBitmap = Bitmap.createBitmap(newWidth, newHeight, bitmap.config)
    outputBitmap.eraseColor(Color.WHITE)
    
    Canvas(outputBitmap).drawBitmap(
        bitmap,
        matrix,
        null
    )

    return outputBitmap
}
© www.soinside.com 2019 - 2024. All rights reserved.