9

馅饼

我仍在尝试解决我几天前遇到的问题,但我仍然没有找到解决方案。但是,我正在一步一步地到达那里。现在我遇到了另一个障碍。

我正在尝试Bitmap.getpixel(int x, int y)返回Color用户使用OnTouchListener. 饼图是一种VectorDrawable资源,vectordrawable.xml我还不需要对像素数据做任何事情,我只需要测试它。所以我做了一个TextView会吐出来的Color感动。

public class MainActivity extends AppCompatActivity {
    ImageView imageView;
    TextView textView;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_main);

        imageView = (ImageView) findViewById(R.id.imageView);
        textView = (TextView) findViewById(R.id.textView);

        imageView.setOnTouchListener(imageViewOnTouchListener);
    }

    View.OnTouchListener imageViewOnTouchListener = new View.OnTouchListener() {
        @Override
        public boolean onTouch(View view, MotionEvent event) {

            Drawable drawable = ((ImageView)view).getDrawable();
            //Bitmap bitmap = BitmapFactory.decodeResource(imageView.getResources(),R.drawable.vectordrawable);
            Bitmap bitmap = ((BitmapDrawable)drawable).getBitmap();

            int x = (int)event.getX();
            int y = (int)event.getY();

            int pixel = bitmap.getPixel(x,y);

            textView.setText("touched color: " + "#" + Integer.toHexString(pixel));

            return true;
        }
    };
}

但是,当我触摸 时,我的应用程序遇到了一个致命错误ImageView,给出了“不幸的是,...”消息并退出。在堆栈跟踪中,我发现了这个。

java.lang.ClassCastException: android.graphics.drawable.VectorDrawable cannot be cast to android.graphics.drawable.BitmapDrawable
    at com.skwear.colorthesaurus.MainActivity$1.onTouch(MainActivity.java:38)

第 38 行就是这个,

Bitmap bitmap = ((BitmapDrawable)drawable).getBitmap();

我有点遵循这个。我究竟做错了什么?是不是因为它是一个VectorDrawable. 我该怎么做才能得到Color?你可以看到我也尝试过BitmapFactory投射Drawable. VectorDrawable自从它像 API 21 一样添加后,它是否也是 API 级别的问题?

4

2 回答 2

24

首先,您不能强制VectorDrawable转换为BitmapDrawable. 他们没有亲子关系。它们都是类的直接子Drawable类。

现在,要从 drawable 中获取位图,您需要Bitmap从 drawable 元数据中创建一个。

在单独的方法中可能是这样的,

try {
    Bitmap bitmap;

    bitmap = Bitmap.createBitmap(drawable.getIntrinsicWidth(), drawable.getIntrinsicHeight(), Bitmap.Config.ARGB_8888);

    Canvas canvas = new Canvas(bitmap);
    drawable.setBounds(0, 0, canvas.getWidth(), canvas.getHeight());
    drawable.draw(canvas);
    return bitmap;
} catch (OutOfMemoryError e) {
    // Handle the error
    return null;
}

我希望这有帮助。

于 2016-04-09T07:41:00.703 回答
8

Drawable.toBitmap()从 AndroidX 支持库中使用。VectorDrawable是 的孩子Drawable

于 2019-09-10T07:13:18.770 回答