项目中需要把人脸图片批量生成二维码后裁切成正方形存入本地文件夹,前面的步骤都已经完成了,但是在把bitmap转成jpg的时候始终无法压缩体积,导致一张图片可能好几兆,最后找到办法,方法如下:
File fileImage = new File(IMAGE_PATH + name + IMG_SUFFIX);
if (!fileImage.exists()) {
boolean result = fileImage.createNewFile();
}
FileOutputStream fosImage = new FileOutputStream(fileImage);
//图片压缩
Bitmap headCompressBitmap = compressScale(headBmp);
/*使用该方法生成图片体积会很大,不推荐*/
//headCompressBitmap.compress(Bitmap.CompressFormat.JPEG, 100, fosImage);
/*再次压缩后写入流,生成本地图片*/
fosImage.write(bitmapToBase64(headCompressBitmap));
fosImage.close();
压缩方法:
/**
* 图片按比例大小压缩方法
* @param image (根据Bitmap图片压缩)
* @return
*/
public static Bitmap compressScale(Bitmap image) {
ByteArrayOutputStream baos = new ByteArrayOutputStream();
image.compress(Bitmap.CompressFormat.JPEG, 100, baos);
// 判断如果图片大于1M,进行压缩避免在生成图片(BitmapFactory.decodeStream)时溢出
if (baos.toByteArray().length / 1024 > 1024) {
baos.reset();// 重置baos即清空baos
image.compress(Bitmap.CompressFormat.JPEG, 80, baos);
}
ByteArrayInputStream isBm = new ByteArrayInputStream(baos.toByteArray());
BitmapFactory.Options newOpts = new BitmapFactory.Options();
// 开始读入图片,此时把options.inJustDecodeBounds 设回true了
newOpts.inJustDecodeBounds = true;
Bitmap bitmap = BitmapFactory.decodeStream(isBm, null, newOpts);
newOpts.inJustDecodeBounds = false;
int w = newOpts.outWidth;
int h = newOpts.outHeight;
//分辨率不能大于该数值
float hh = 512f;
float ww = 512f;
// 缩放比。由于是固定比例缩放,只用高或者宽其中一个数据进行计算即可
int be = 1;// be=1表示不缩放
if ((w == h || w > h) && w > ww) {// 如果宽度大的话根据宽度固定大小缩放
be = (int) (newOpts.outWidth / ww);
} else if ((w == h ||w < h) && h > hh) { // 如果高度高的话根据高度固定大小缩放
be = (int) (newOpts.outHeight / hh);
}
if (be <= 0)
be = 1;
newOpts.inSampleSize = be; // 设置缩放比例
// 重新读入图片,注意此时已经把options.inJustDecodeBounds 设回false了
isBm = new ByteArrayInputStream(baos.toByteArray());
bitmap = BitmapFactory.decodeStream(isBm, null, newOpts);
return bitmap;
}
/*
* bitmap压缩后转byte
* */
public static byte[] bitmapCompressTobyteArray(Bitmap bitmap) {
byte[] bitmapBytes = new byte[0];
ByteArrayOutputStream baos = null;
try {
if (bitmap != null) {
baos = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.JPEG, 100, baos);
int options = 90;
while (baos.toByteArray().length / 1024 > 150) { // 循环判断如果压缩后图片是否大于150kb,大于继续压缩
baos.reset(); // 重置baos即清空baos
bitmap.compress(Bitmap.CompressFormat.JPEG, options, baos);// 这里压缩options%,把压缩后的数据存放到baos中
options -= 10;// 每次都减少10
}
baos.flush();
baos.close();
bitmapBytes = baos.toByteArray();
}
} catch (IOException e) {
e.printStackTrace();
} finally {
try {
if (baos != null) {
baos.flush();
baos.close();
}
} catch (IOException e) {
e.printStackTrace();
}
}
return bitmapBytes;
}