2

タッチ部分の画像の色を変えようとしています。以下の2つのアプローチを試しましたが、

1)

  mPaint = new Paint();  
  mPaint.setColor(Color.RED);  
  mPaint.setStyle( Paint.Style.STROKE );  
  mPaint.setStrokeJoin( Paint.Join.ROUND );  
  mPaint.setStrokeCap( Paint.Cap.ROUND );  
  mPaint.setStrokeWidth( SettingsActivity.brushsize + 5);  
  mPaint.setFilterBitmap( false );  

結果: この場合、ブレンドは行われず、色が画像を完全に上書きします。

2)

  mPaint = new Paint();  
  ColorFilter filter = new LightingColorFilter(Color.RED, 1);  
  mPaint.setColorFilter(filter);  
  mPaint.setStyle( Paint.Style.STROKE );  
  mPaint.setStrokeJoin( Paint.Join.ROUND );  
  mPaint.setStrokeCap( Paint.Cap.ROUND );  
  mPaint.setStrokeWidth(  5);  
  mPaint.setFilterBitmap( false );  

結果:常にこれで黒い色を観察しています。

画像のタッチ部分でカラーブレンディングを実行する方法は?

4

1 に答える 1

1

フラッド フィル アルゴリズムを使用します。このコードをチェックしてください:

private void FloodFill(Bitmap bmp, Point pt, int targetColor, int replacementColor){
Queue<Point> q = new LinkedList<Point>();
q.add(pt);
while (q.size() > 0) {
    Point n = q.poll();
    if (bmp.getPixel(n.x, n.y) != targetColor)
        continue;

    Point w = n, e = new Point(n.x + 1, n.y);
    while ((w.x > 0) && (bmp.getPixel(w.x, w.y) == targetColor)) {
        bmp.setPixel(w.x, w.y, replacementColor);
        if ((w.y > 0) && (bmp.getPixel(w.x, w.y - 1) == targetColor))
            q.add(new Point(w.x, w.y - 1));
        if ((w.y < bmp.getHeight() - 1)
                && (bmp.getPixel(w.x, w.y + 1) == targetColor))
            q.add(new Point(w.x, w.y + 1));
        w.x--;
    }
    while ((e.x < bmp.getWidth() - 1)
            && (bmp.getPixel(e.x, e.y) == targetColor)) {
        bmp.setPixel(e.x, e.y, replacementColor);

        if ((e.y > 0) && (bmp.getPixel(e.x, e.y - 1) == targetColor))
            q.add(new Point(e.x, e.y - 1));
        if ((e.y < bmp.getHeight() - 1)
                && (bmp.getPixel(e.x, e.y + 1) == targetColor))
            q.add(new Point(e.x, e.y + 1));
        e.x++;
    }
}}
于 2012-09-22T05:44:54.767 に答える