我正在尝试在两个图像上应用混合滤镜(在本例中为 HardLight)。基本 Android 库不支持 HardLight,因此,我在每个像素上手动进行。第一次运行是有效的,但速度低于恒星。从基本 500x500 图像和 500x500 过滤器生成 500x500 图像花费的时间太长。这段代码也用于生成缩略图 (72x72),它是应用程序核心的组成部分。我很想得到一些关于如何加快速度的建议和/或提示。
如果可以通过假设两个图像都没有 alpha 来获得巨大的收益,那很好。注意:BlendMode 和 alpha 是示例中未使用的值(BlendMode 将选择混合类型,在本例中我硬编码 HardLight)。
public Bitmap blendedBitmap(Bitmap source, Bitmap layer, BlendMode blendMode, float alpha) {
Bitmap base = source.copy(Config.ARGB_8888, true);
Bitmap blend = layer.copy(Config.ARGB_8888, false);
IntBuffer buffBase = IntBuffer.allocate(base.getWidth() * base.getHeight());
base.copyPixelsToBuffer(buffBase);
buffBase.rewind();
IntBuffer buffBlend = IntBuffer.allocate(blend.getWidth() * blend.getHeight());
blend.copyPixelsToBuffer(buffBlend);
buffBlend.rewind();
IntBuffer buffOut = IntBuffer.allocate(base.getWidth() * base.getHeight());
buffOut.rewind();
while (buffOut.position() < buffOut.limit()) {
int filterInt = buffBlend.get();
int srcInt = buffBase.get();
int redValueFilter = Color.red(filterInt);
int greenValueFilter = Color.green(filterInt);
int blueValueFilter = Color.blue(filterInt);
int redValueSrc = Color.red(srcInt);
int greenValueSrc = Color.green(srcInt);
int blueValueSrc = Color.blue(srcInt);
int redValueFinal = hardlight(redValueFilter, redValueSrc);
int greenValueFinal = hardlight(greenValueFilter, greenValueSrc);
int blueValueFinal = hardlight(blueValueFilter, blueValueSrc);
int pixel = Color.argb(255, redValueFinal, greenValueFinal, blueValueFinal);
buffOut.put(pixel);
}
buffOut.rewind();
base.copyPixelsFromBuffer(buffOut);
blend.recycle();
return base;
}
private int hardlight(int in1, int in2) {
float image = (float)in2;
float mask = (float)in1;
return ((int)((image < 128) ? (2 * mask * image / 255):(255 - 2 * (255 - mask) * (255 - image) / 255)));
}