Android位图蒙版颜色,删除颜色

| 我正在创建位图,接下来我将在其上绘制第二个纯色位图。 现在我想更改第一个位图,这样我在上面绘制的纯色将是透明的。 或者简单地说,我想从位图中删除一种颜色的所有像素。 我曾尝试过所有滤色镜,并且xfermode运气不好,除了逐像素地进行除色之外,还有其他方法可以去除颜色吗?     
已邀请:
        这适用于从位图中删除某种颜色。主要部分是避免使用Xerxmode。如果尝试将一种颜色更改为另一种颜色,它也应该起作用。 我应该补充一点,这回答了从位图中删除颜色的问题标题。像OP所说的那样,使用PorterDuff Xfermode可以更好地解决特定问题。
// start with a Bitmap bmp

// make a mutable copy and a canvas from this mutable bitmap
Bitmap mb = bmp.copy(Bitmap.Config.ARGB_8888, true);
Canvas c = new Canvas(mb);

// get the int for the colour which needs to be removed
Paint p = new Paint();
p.setARGB(255, 255, 0, 0); // ARGB for the color, in this case red
int removeColor = p.getColor(); // store this color\'s int for later use

// Next, set the alpha of the paint to transparent so the color can be removed.
// This could also be non-transparent and be used to turn one color into another color            
p.setAlpha(0);

// then, set the Xfermode of the pain to AvoidXfermode
// removeColor is the color that will be replaced with the pain\'t color
// 0 is the tolerance (in this case, only the color to be removed is targetted)
// Mode.TARGET means pixels with color the same as removeColor are drawn on
p.setXfermode(new AvoidXfermode(removeColor, 0, AvoidXfermode.Mode.TARGET));

// draw transparent on the \"brown\" pixels
c.drawPaint(p);

// mb should now have transparent pixels where they were red before
    
        user487252的解决方案一直很吸引人,直到API级别16(Jelly Bean),此后ѭ1似乎根本不起作用。 在我的特定用例中,我已经将PDF页面(通过APV PDFView)呈现为像素数组
int[]
,并将传递给
Bitmap.createBitmap( int[], int, int, Bitmap.Config )
。此页面包含绘制在白色背景上的线条图,并且我需要在保留抗锯齿的同时删除背景。 我找不到能完全满足我要求的Porter-Duff模式,所以最终屈曲并迭代像素并逐一转换。结果出奇的简单和高效:
int [] pixels = ...;

for( int i = 0; i < pixels.length; i++ ) {
    // Invert the red channel as an alpha bitmask for the desired color.
    pixels[i] = ~( pixels[i] << 8 & 0xFF000000 ) & Color.BLACK;
}

Bitmap bitmap = Bitmap.createBitmap( pixels, width, height, Bitmap.Config.ARGB_8888 );
这是绘制线条艺术的理想选择,因为可以在不丢失抗锯齿的情况下为线条使用任何颜色。我在这里使用红色通道,但可以通过将
16
而不是
8
移至绿色,或将blue7ѭ移至蓝色来使用。     
        逐像素不是一个坏选择。只是不要在循环内调用setPixel。用getPixels填充argb int数组,如果不需要保留原始数组,请对其进行修改,然后在最后调用setPixels。如果您担心内存问题,可以逐行执行此操作,也可以一次完成整个操作。您无需为覆盖颜色填充整个位图,因为您只需进行简单的替换即可(如果当前像素为color1,则设置为color2)。     

要回复问题请先登录注册