19

我有这个代码片段。我不明白矩阵通过的Matrix.preScaleand 。这是什么意思?有没有了解矩阵计算的仿真网站?你能给我一些关于用于图形的数学的网站吗?对不起,我数学不好。:)Bitmap.createBitmap

public Bitmap createReflectedImages(final Bitmap originalImage) {
    final int width = originalImage.getWidth();
    final int height = originalImage.getHeight();
    final Matrix matrix = new Matrix();
    matrix.preScale(1, -1);
    final Bitmap reflectionImage = Bitmap.createBitmap(originalImage, 0, (int) (height * imageReflectionRatio),
            width, (int) (height - height * imageReflectionRatio), matrix, false);
    final Bitmap bitmapWithReflection = Bitmap.createBitmap(width, (int) (height + height * imageReflectionRatio + 400),
            Config.ARGB_8888);
    final Canvas canvas = new Canvas(bitmapWithReflection);
    canvas.drawBitmap(originalImage, 0, 0, null);
    final Paint deafaultPaint = new Paint();
    deafaultPaint.setColor(color.transparent);
    canvas.drawBitmap(reflectionImage, 0, height + reflectionGap, null);
    final Paint paint = new Paint();
    final LinearGradient shader = new LinearGradient(0, originalImage.getHeight(), 0,
            bitmapWithReflection.getHeight() + reflectionGap, 0x70ffffff, 0x00ffffff, TileMode.CLAMP);
    paint.setShader(shader);
    paint.setXfermode(new PorterDuffXfermode(Mode.DST_IN));
    canvas.drawRect(0, height, width, bitmapWithReflection.getHeight() + reflectionGap, paint);
    return bitmapWithReflection;
}
4

1 回答 1

100

不要想得太难,至少不要在早期阶段。

只需将矩阵视为数字数组即可。在这种情况下,Android 矩阵有 3 行,每行 3 个数字。每个数字都告诉 Android 图形函数如何缩放(更大/更小)、平移(移动)、旋转(转动)或倾斜(在 2D 平面中扭曲)应用矩阵的“事物”。

矩阵看起来像这样(请参阅此处的文档)。

{Scale X, Skew X, Transform X
Skew Y, Scale Y, Transform Y
Perspective 0, Perspective 1, Perspective 2}

好消息是你不需要知道任何矩阵数学,实际上几乎不需要数学,就可以在 Android 中使用矩阵。这就是 preScale() 等方法为您做的事情。理解背后的数学并不难,大多数事情你只需要加、乘和SOHCHAHTOA

数学挑战的矩阵变换/

当您阅读 Matrix 文档时,您会看到带有“set”、“post”或“pre”前缀的旋转、翻译等方法。

想象一下,您创建了一个新矩阵。然后使用 setRotate() 设置矩阵进行旋转。然后使用 preTranslate() 进行翻译。因为您使用了“pre”,所以翻译发生在旋转之前。如果您使用“post”,则轮换将首先发生。'set' 清除矩阵中的任何内容并重新开始。

为了回答您的具体问题, new Matrix() 创建了“恒等矩阵”

{1, 0, 0
 0, 1, 0
 0, 0, 1}

它按 1 缩放(因此大小相同)并且不进行平移、旋转或倾斜。因此,应用单位矩阵将无济于事。下一个方法是 preScale(),它应用于此单位矩阵,在您展示的情况下,会产生一个可缩放的矩阵,并且不执行任何其他操作,因此也可以使用 setScale() 或 postScale() 来完成。

希望这可以帮助。

于 2012-11-06T08:12:21.517 回答