我想从bytearray创建一个位图。
我尝试了以下代码
Bitmap bmp;
bmp = BitmapFactory.decodeByteArray(data, 0, data.length);
和
ByteArrayInputStream bytes = new ByteArrayInputStream(data);
BitmapDrawable bmd = new BitmapDrawable(bytes);
bmp = bmd.getBitmap();
但是,当我想用像
这样的位图来初始化Canvas对象时Canvas canvas = new Canvas(bmp);
导致错误
java.lang.IllegalStateException: Immutable bitmap passed to Canvas constructor
然后如何从byteArray获取可变位图。
提前致谢。
答案 0 :(得分:67)
您需要一个可变的Bitmap
才能创建Canvas
。
Bitmap bmp = BitmapFactory.decodeByteArray(data, 0, data.length);
Bitmap mutableBitmap = bmp.copy(Bitmap.Config.ARGB_8888, true);
Canvas canvas = new Canvas(mutableBitmap); // now it should work ok
编辑:正如Noah Seidman所说,你可以在不创建副本的情况下完成。
BitmapFactory.Options options = new BitmapFactory.Options();
options.inMutable = true;
Bitmap bmp = BitmapFactory.decodeByteArray(data, 0, data.length, options);
Canvas canvas = new Canvas(bmp); // now it should work ok