Android get Orientation of a camera Bitmap? And rotate back -90 degrees

If a photo is taken with a digital camera or smartphone, rotation is often stored in the photo’s Exif data, as part of the image file. You can read an image’s Exif meta-data using the Android ExifInterface.

First, create the ExifInterface:

ExifInterface exif = new ExifInterface(uri.getPath());

Next, find the current rotation:

int rotation = exif.getAttributeInt(ExifInterface.TAG_ORIENTATION, ExifInterface.ORIENTATION_NORMAL);  

Convert exif rotation to degrees:

int rotationInDegrees = exifToDegrees(rotation);

where

private static int exifToDegrees(int exifOrientation) {        
    if (exifOrientation == ExifInterface.ORIENTATION_ROTATE_90) { return 90; } 
    else if (exifOrientation == ExifInterface.ORIENTATION_ROTATE_180) {  return 180; } 
    else if (exifOrientation == ExifInterface.ORIENTATION_ROTATE_270) {  return 270; }            
    return 0;    
 }

Then use the image’s actual rotation as a reference point to rotate the image using a Matrix.

Matrix matrix = new Matrix();
if (rotation != 0) {matrix.preRotate(rotationInDegrees);}

You create the new rotated image with the Bitmap.createBitmap method that take a Matrix as a parameter:

Bitmap.createBitmap(Bitmap source, int x, int y, int width, int height, Matrix m, boolean filter)

where Matrix m holds the new rotation:

Bitmap adjustedBitmap = Bitmap.createBitmap(sourceBitmap, 0, 0, width, height, matrix, true);

See this tutorial for a useful source code example:

Leave a Comment