androidimageviewbimap

Send image with made changes to another activity Android


I have problem with send image from imageView to another activity. My code works good but only for sending image given at code without changes. I add filters on the photo and I need to send image with this changes. This is my code:

First activity:

public void send(View view) {
    //trzeba tu coś wymyslić żeby dodawało np tag żeby wiedziec jaka obraz ma nazwe
    //i wstawić do tego niżej
    Bitmap bitmap = BitmapFactory.decodeResource(getResources(), R.drawable.i);     
    ByteArrayOutputStream baos = new ByteArrayOutputStream();
    bitmap.compress(Bitmap.CompressFormat.JPEG, 100, baos); 
    byte[] b = baos.toByteArray();

    Intent intent = new Intent(this, TwoActivity.class);
    intent.putExtra("picture", b);
    startActivity(intent);
}

Next activity:

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

    Bundle extras = getIntent().getExtras();
    byte[] b = extras.getByteArray("picture");
    Bitmap bmp = BitmapFactory.decodeByteArray(b, 0, b.length);
    ImageView image = (ImageView) findViewById(R.id.imageView1);
    image.setImageBitmap(bmp);
}

Please tell me what I should to change that it correctly send image with changes?


Solution

  • The reason it's the same is because you're only passing the image from the resources; not whatever is edited.

    Since it sounds like you want to get the edited image from a View, you could easily get its drawing cache and use that.

    public void send(View view) {
        Bitmap bitmap = getFromCache(view);     
        ByteArrayOutputStream baos = new ByteArrayOutputStream();
        bitmap.compress(Bitmap.CompressFormat.JPEG, 100, baos); 
        byte[] b = baos.toByteArray();
    
        Intent intent = new Intent(this, TwoActivity.class);
        intent.putExtra("picture", b);
        startActivity(intent);
    }
    
    private Bitmap getFromCache(View view){
        view.setDrawingCacheEnabled(true);
        Bitmap bitmap = Bitmap.createBitmap(view.getDrawingCache()); // Make sure to call Bitmap.createBitmap before disabling the cache, as the Bitmap will be recycled once it is disabled again
        view.setDrawingCacheEnabled(false);
        return bitmap;
    }