Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

create Bitmap from byteArray in android

I want to create a bitmap from a bytearray .

I tried the following codes

Bitmap bmp;

bmp = BitmapFactory.decodeByteArray(data, 0, data.length);

and

ByteArrayInputStream bytes = new ByteArrayInputStream(data); 
BitmapDrawable bmd = new BitmapDrawable(bytes); 
bmp = bmd.getBitmap(); 

But ,When i am tring to initialize the Canvas object with the bitmap like

Canvas canvas = new Canvas(bmp);

It leads to an error

java.lang.IllegalStateException: Immutable bitmap passed to Canvas constructor

Then how to get a mutable bitmap from an byteArray.

Thanks in advance.

like image 545
surendra Avatar asked Sep 09 '11 08:09

surendra


1 Answers

You need a mutable Bitmap in order to create the 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

Edit: As Noah Seidman said, you can do it without creating a copy.

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
like image 173
Gabriel Negut Avatar answered Nov 01 '22 10:11

Gabriel Negut