操作相机的Preview可通过以下三种方式添加回调接口:
Camera.setPreviewCallbackBuffer(PreviewCallback)
Camera.setOneShotPreviewCallback(PreviewCallback)
Camera.setPreviewCallback(PreviewCallback)
PreviewCallback接口里面只有一个回调方法:
void onPreviewFrame(byte[] data, Camera camera);
一、生成Bitmap –> 旋转Bitmap
其中的byte[] data就是Preview的图像数据,格式为YuvImage,而这个图像天生是横着的,一般的旋转操作是:
YuvImage的byte[] –> Bitmap的byte[] –> 生成Bitmap –> 旋转Bitmap
public void onPreviewFrame(byte[] data, Camera camera) {
final int width = camera.getParameters().getPreviewSize().width;
final int height = camera.getParameters().getPreviewSize().height;
// 通过YuvImage得到Bitmap格式的byte[]
YuvImage yuvImage = new YuvImage(data, ImageFormat.NV21, width, height, null);
ByteArrayOutputStream out = new ByteArrayOutputStream();
yuvImage.compressToJpeg(new Rect(0, 0, width, height), 100, out);
byte[] dataBmp = out.toByteArray();
// 生成Bitmap
Bitmap bitmap = BitmapFactory.decodeByteArray(data, 0, dataBmp.length);
// 旋转
Matrix matrix = new Matrix();
matrix.setRotate(90);
Bitmap bmp = Bitmap.createBitmap(bitmap, 0, 0, width, height, matrix, false);
// 保存到本地
File file = new File("/storage/emulated/0/" + System.currentTimeMillis() + ".jpg");
try {
FileOutputStream fos = new FileOutputStream(file);
bmp.compress(Bitmap.CompressFormat.JPEG, 100, fos);
} catch (Exception e) {
e.printStackTrace();
}
}
二、可以直接旋转YuvImage。
原理 很复杂 直接上工具类
public void onPreviewFrame(final byte[] data, Camera camera) {
// 将系统回调的数组拷贝一份,操作拷贝的数据
byte[] dataCopy = new byte[data.length];
System.arraycopy(srcData, 0, dataCopy , 0, data.length);
Camera.Size size = camera.getParameters().getPreviewSize();
final int srcWidth = size.width;
final int srcHeight = size.height;
final int dstWidth = size.height;
final int dstHeight = size.width;
// 1.5倍的总数,多出来的部分装VU分量
byte[] buf = new byte[dstWidth * dstHeight * 3 / 2];
for (int i = 0; i < dstHeight; i++) {
for (int j = 0; j < dstWidth; j++) {
// 新数组中摆放Y值 旋转后(i,j) --> 旋转前(srcHeight-1-j, i)
buf[i * dstWidth + j] = dataCopy[(srcHeight - 1 - j) * srcWidth + i];
// 确认是左上角的点
if (i % 2 == 0 && j % 2 == 0) {
// 摆放V值 目标行号= 行号/2 + 高
buf[(i / 2 + srcWidth) * dstWidth + j] = dataCopy[((srcHeight - 1 - j) / 2 + srcHeight) * srcWidth + j];
// 摆放U值
buf[(i / 2 + srcWidth) * dstWidth + j + 1] = dataCopy[((srcHeight - 1 - j) / 2 + srcHeight) * srcWidth + j + 1];
}
}
}
YuvImage yuvImage = new YuvImage(buf, ImageFormat.NV21, dstWidth, dstHeight, null);
File file = new File("/storage/emulated/0/" + System.currentTimeMillis() + ".jpg");
try {
FileOutputStream fos = new FileOutputStream(file);
yuvImage.compressToJpeg(new Rect(0, 0, dstWidth, dstHeight), 100, fos);
} catch (Exception e) {
e.printStackTrace();
}
}