我正在尝试在两个图像上应用混合滤镜(在本例中为HardLight)。基本的Android库中不支持HardLight,因此,我需要在每个像素上手动进行此操作。第一次运行是可行的,但是速度却不及恒星。从基本的500x500图像和500x500滤镜生成500x500图像的时间过长。此代码块也用于生成缩略图(72x72),并且是应用程序核心的组成部分。我希望就如何加快速度提供一些建议和/或提示。
如果通过假设两个图像都没有Alpha可以取得巨大的 yield ,那很好。注意: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)));
}
最佳答案
浮点运算通常比整数慢,尽管我不能具体说说Android。我想知道为什么当操作看起来像整数一样完美工作时,为什么要将hardlight
的输入转换为浮点数?
您也可以通过将公式内联到循环中而不是调用函数来加快速度。也许不是,但是值得尝试和进行基准测试。