web-dev-qa-db-fra.com

créer un bitmap à partir de byteArray dans android

Je veux créer un bitmap à partir d'un bytearray.

J'ai essayé les codes suivants

Bitmap bmp;

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

et

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

Mais, quand je suis sur le point d'initialiser l'objet Canvas avec le bitmap comme

Canvas canvas = new Canvas(bmp);

Cela conduit à une erreur

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

Ensuite, comment obtenir un bitmap mutable à partir d'un tableau d'octets.

Merci d'avance.

36
surendra

Vous avez besoin d'un Bitmap modifiable pour créer le 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: Comme l'a dit Noah Seidman, vous pouvez le faire sans créer de copie.

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
69
Gabriel Negut