5

我有一个画布,在上面画线:

//see code upd

我需要制作从我的画布上取色的移液器工具。我怎样才能做到?


代码更新:

private static class DrawView extends View 
{
        ...
        public DrawView(Context context) {
            super(context);
            setFocusable(true);

            mBitmap = Bitmap.createBitmap(640, 860, Bitmap.Config.ARGB_8888);
            mCanvas = new Canvas(mBitmap);
            mPath = new Path();
            mBitmapPaint = new Paint(Paint.DITHER_FLAG);

            this.setDrawingCacheEnabled(true);
        }

        @Override
        protected void onDraw(Canvas canvas) {
            canvas.drawColor(0xFFAAAAAA);
            canvas.drawBitmap(mBitmap, 0, 0, mBitmapPaint);
            canvas.drawPath(mPath, mPaint);
        }
        private void touch_up()
        {
            if(!drBool) //is true when I click pipette button
            {
                ...
                mCanvas.drawPath(mPath, mPaint); // lines draw
                mPath.reset();
            }else{
                this.buildDrawingCache();
                cBitmap = this.getDrawingCache(true);
                if(cBitmap != null)
                {
                    int clr = cBitmap.getPixel((int)x, (int)y);
                    Log.v("pixel", Integer.toHexString(clr));
                    mPaint.setColor(clr);
                }else{
                    Log.v("pixel", "null");
                }
            }
            drBool = false;
        }
    }

我只看到“像素”-“ffaaaaaa”,或者如果我使用 mCanvas.drawColor(Color.GRAY)“像素”-“ff888888”

4

2 回答 2

13

画布只不过是一个容器,它包含用于操作位图的绘图调用。所以没有“从画布上取色”的概念。

相反,您应该检查视图位图的像素,您可以使用getDrawingCache.

在您的视图的构造函数中:

this.setDrawingCacheEnabled(true);

当你想要一个像素的颜色时:

this.buildDrawingCache();
this.getDrawingCache(true).getPixel(x,y);

如果您多次调用它,这是非常低效的,在这种情况下,您可能需要添加一个位图字段并使用 getDrawingCache() 在 ondraw() 中设置它。

private Bitmap bitmap;

...

onDraw()

  ...

  bitmap = this.getDrawingCache(true);

然后使用bitmap.getPixel(x,y);

于 2012-11-25T12:00:50.257 回答
1

上面的答案返回我空白位图。这是我的解决方案

@Override
protected void onDraw(Canvas canvas) {
    ...
    bitmapUpdated = true;
}

然后获取位图

public Bitmap getBitmapImage() {
    if (bitmapUpdated) {
        this.buildDrawingCache();
        bitmapImage = Bitmap.createBitmap(this.getDrawingCache());
        this.destroyDrawingCache();
    }
    return bitmapImage;
}

这对我来说很好,没有过多的开销。

也许更好的解决方案是覆盖 invalidate() 和 onDraw() 所以它使用你的画布,它与你的位图链接

Bitmap b = Bitmap.createBitmap(v.getWidth(), v.getHeight(), Bitmap.Config.ARGB_8888);
Canvas c = new Canvas(b);
v.draw(c);
return b;
于 2018-05-21T12:45:19.433 回答