BitmapFactory压缩图片

2024-08-28 11:32
文章标签 图片 压缩 bitmapfactory

本文主要是介绍BitmapFactory压缩图片,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

       我们编写的应用程序都是有一定内存限制的,程序占用了过高的内存就容易出现OOM(OutOfMemory)异常。所以在展示高分辨率图片或者上传图片的时候,最好先将图片进行压缩。下面看下我们如何对一张大图进行适当的压缩,让它能够以最佳大小显示的同时,还能防止OOM的出现。

      BitmapFactory是一个工具类,提供了多个解析方法(decodeByteArray, decodeFile, decodeResource等)用于创建Bitmap对象,我们应该根据图片的来源选择合适的方法。

  • SD卡中的图片可以使用decodeFile方法: Bitmap android.graphics.BitmapFactory.decodeFile(String pathName,Options opts)
  • 网络上的图片可以使用decodeStream方法: Bitmap android.graphics.BitmapFactory.decodeStream(InputStream is)
  • 资源文件中的图片可以使用decodeResource方法: Bitmap android.graphics.BitmapFactory.decodeResource(Resources res, int id,Options opts)
       这些方法会尝试为已经构建的bitmap分配内存,如果你的图片太大就会很容易造成OOM。为此每一种解析方法都提供了一个可选的BitmapFactory.Options参数,将这个参数的inJustDecodeBounds属性设置为 true就可以让解析方法禁止为bitmap分配内存,返回值也不再是一个Bitmap对象,而是null。虽然Bitmap是null了,但是 BitmapFactory.Options的outWidth、outHeight和outMimeType属性都会被赋值。这让我们可以在加载图片之前就获取到图片的长宽值和MIME类型,从而根据情况对图片进行压缩。如下:
    BitmapFactory.Options options = new BitmapFactory.Options();  options.inJustDecodeBounds = true;  BitmapFactory.decodeResource(getResources(), R.id.myimage, options);  int imageHeight = options.outHeight;  int imageWidth = options.outWidth;  String imageType = options.outMimeType;  
       BitmapFactory.Options中有个inSampleSize属性,可以理解为压缩比率。设定好压缩比率后,调用上面的decodexxxx()就能得到一个缩略图了。比如我们有一张2048*1536像素的图片,将inSampleSize的值设置为4,就可以把这张图片压缩成512*384像素。原本加载这张图片需 要占用13M的内存,压缩后就只需要占用0.75M了(假设图片是ARGB_8888类型,即每个像素点占用4个字节)。下面的方法可以根据传入的宽和高,计算出合适的inSampleSize值:
    public static int calculateInSampleSize(BitmapFactory.Options options,  int reqWidth, int reqHeight) {  // 源图片的高度和宽度  final int height = options.outHeight;  final int width = options.outWidth;  int inSampleSize = 1;  if (height > reqHeight || width > reqWidth) {  // 计算出实际宽高和目标宽高的比率  final int heightRatio = Math.round((float) height / (float) reqHeight);  final int widthRatio = Math.round((float) width / (float) reqWidth);  // 选择宽和高中最小的比率作为inSampleSize的值,这样可以保证最终图片的宽和高  // 一定都会大于等于目标的宽和高。  inSampleSize = heightRatio < widthRatio ? heightRatio : widthRatio;  }  return inSampleSize;  }  
      使用这个方法,首先你要将BitmapFactory.Options的inJustDecodeBounds属性设置为true,解析一次图片。然后将 BitmapFactory.Options连同期望的宽度和高度一起传递到到calculateInSampleSize方法中,就可以得到合适的 inSampleSize值了。之后再解析一次图片,使用新获取到的inSampleSize值,并把inJustDecodeBounds设置为 false,就可以得到压缩后的图片了。
    public static Bitmap decodeSampledBitmapFromResource(Resources res, int resId,  int reqWidth, int reqHeight) {  // 第一次解析将inJustDecodeBounds设置为true,来获取图片大小  final BitmapFactory.Options options = new BitmapFactory.Options();  options.inJustDecodeBounds = true;  // 读取图片长宽BitmapFactory.decodeResource(res, resId, options);  // 调用上面定义的方法计算inSampleSize值  options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight);  // 使用获取到的inSampleSize值再次解析图片  options.inJustDecodeBounds = false;  return BitmapFactory.decodeResource(res, resId, options);  }  

      然而,文档中inSampleSize的注释中有一个需要注意的一点。下面是原注释:

      If set to a value > 1, requests the decoder to subsample the original image, returning a smaller image to save memory. The sample size is the number of pixels in either dimension that correspond to a single pixel in the decoded bitmap. For example, inSampleSize == 4 returns an image that is 1/4 the width/height of the original, and 1/16 the number of pixels. Any value <= 1 is treated the same as 1.Note: the decoder uses a final value based on powers of 2, any other value will be rounded down to the nearest power of 2. 

任何其他值将向下取得最大的2的整数次幂。比如inSampleSize=5或6或7,将取为4。

这样Bitmap是可以被压缩,只是压缩得到的Bitmap可能会比我们需要的大。需要怎么才能更好的压缩呢?Bitmap中还有一个方法:

Bitmap android.graphics.Bitmap.createScaledBitmap(Bitmap src, int dstWidth, int dstHeight, boolean filter)

       createScaledBitmap()可以给我们一个按照要求拉伸/缩小后的Bitmap,我们可以通过这个方法把我们之前得到的较大的缩略图进行缩小,使其完全符合我们的要求。

       现在我们写一个工具类,完成了如下过程:

  1.  将inJustDecodeBounds设为true,
  2. 调用decodexxxx()方法,读取图片长宽。 
  3. 计算出inSampleSize的大小。
  4.  将inJustDecodeBounds设为false。
  5. 调用decodexxxx()方法得到一个可能大一点的缩略图A。 
  6. 使用createScaseBitmap再次压缩A,将缩略图A生成我们需要的缩略图B。
  7. 回收缩略图A(如果A和B的比率一样,就不回收A)。

/*** 用于压缩图片* Created by lyh on 2016/2/3 0017.*/
public class BitmapUtils {/*** @description 计算图片的压缩比率** @param options 参数* @param reqWidth 目标的宽度* @param reqHeight 目标的高度* @return*/private static int calculateInSampleSize(BitmapFactory.Options options, int reqWidth, int reqHeight) {// 源图片的高度和宽度final int height = options.outHeight;final int width = options.outWidth;int inSampleSize = 1;if (height > reqHeight || width > reqWidth) {// 计算出实际宽高和目标宽高的比率final int halfHeight = height / 2;final int halfWidth = width / 2;while ((halfHeight / inSampleSize) > reqHeight && (halfWidth / inSampleSize) > reqWidth) {inSampleSize *= 2;}}return inSampleSize;}/*** @description 通过传入的bitmap,进行压缩,得到符合标准的bitmap** @param src* @param dstWidth* @param dstHeight* @return*/private static Bitmap createScaleBitmap(Bitmap src, int dstWidth, int dstHeight, int inSampleSize) {//如果inSampleSize是2的倍数,也就说这个src已经是我们想要的缩略图了,直接返回即可。if (inSampleSize % 2 == 0) {return src;}// 如果是放大图片,filter决定是否平滑,如果是缩小图片,filter无影响,我们这里是缩小图片,所以直接设置为falseBitmap dst = Bitmap.createScaledBitmap(src, dstWidth, dstHeight, false);if (src != dst) { // 如果没有缩放,那么不回收src.recycle(); // 释放Bitmap的native像素数组}return dst;}/*** @description 从Resources中加载图片** @param res* @param resId* @param reqWidth* @param reqHeight* @return*/public static Bitmap decodeSampledBitmapFromResource(Resources res, int resId, int reqWidth, int reqHeight) {final BitmapFactory.Options options = new BitmapFactory.Options();options.inJustDecodeBounds = true; // 设置成了true,不占用内存,只获取bitmap宽高BitmapFactory.decodeResource(res, resId, options); // 读取图片长宽options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight); // 调用上面定义的方法计算inSampleSize值// 使用获取到的inSampleSize值再次解析图片options.inJustDecodeBounds = false;Bitmap src = BitmapFactory.decodeResource(res, resId, options); // 载入一个稍大的缩略图return createScaleBitmap(src, reqWidth, reqHeight, options.inSampleSize); // 进一步得到目标大小的缩略图}/*** @description 从SD卡上加载图片** @param pathName* @param reqWidth* @param reqHeight* @return*/public static Bitmap decodeSampledBitmapFromFile(String pathName, int reqWidth, int reqHeight) {final BitmapFactory.Options options = new BitmapFactory.Options();options.inJustDecodeBounds = true;BitmapFactory.decodeFile(pathName, options);options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight);options.inJustDecodeBounds = false;Bitmap src = BitmapFactory.decodeFile(pathName, options);return createScaleBitmap(src, reqWidth, reqHeight, options.inSampleSize);}
}

      下面的代码非常简单地将任意一张图片压缩成100*100的缩略图,并在ImageView上展示。
mImageView.setImageBitmap( 
BitmapUtils.decodeSampledBitmapFromResource(getResources(), R.id.myimage, 100, 100));

参考自:
http://blog.csdn.net/guolin_blog/article/details/9316683
http://developer.android.com/intl/zh-cn/training/displaying-bitmaps/index.html

这篇关于BitmapFactory压缩图片的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1114640

相关文章

hdu1043(八数码问题,广搜 + hash(实现状态压缩) )

利用康拓展开将一个排列映射成一个自然数,然后就变成了普通的广搜题。 #include<iostream>#include<algorithm>#include<string>#include<stack>#include<queue>#include<map>#include<stdio.h>#include<stdlib.h>#include<ctype.h>#inclu

使用opencv优化图片(画面变清晰)

文章目录 需求影响照片清晰度的因素 实现降噪测试代码 锐化空间锐化Unsharp Masking频率域锐化对比测试 对比度增强常用算法对比测试 需求 对图像进行优化,使其看起来更清晰,同时保持尺寸不变,通常涉及到图像处理技术如锐化、降噪、对比度增强等 影响照片清晰度的因素 影响照片清晰度的因素有很多,主要可以从以下几个方面来分析 1. 拍摄设备 相机传感器:相机传

hdu1565(状态压缩)

本人第一道ac的状态压缩dp,这题的数据非常水,很容易过 题意:在n*n的矩阵中选数字使得不存在任意两个数字相邻,求最大值 解题思路: 一、因为在1<<20中有很多状态是无效的,所以第一步是选择有效状态,存到cnt[]数组中 二、dp[i][j]表示到第i行的状态cnt[j]所能得到的最大值,状态转移方程dp[i][j] = max(dp[i][j],dp[i-1][k]) ,其中k满足c

Android 10.0 mtk平板camera2横屏预览旋转90度横屏拍照图片旋转90度功能实现

1.前言 在10.0的系统rom定制化开发中,在进行一些平板等默认横屏的设备开发的过程中,需要在进入camera2的 时候,默认预览图像也是需要横屏显示的,在上一篇已经实现了横屏预览功能,然后发现横屏预览后,拍照保存的图片 依然是竖屏的,所以说同样需要将图片也保存为横屏图标了,所以就需要看下mtk的camera2的相关横屏保存图片功能, 如何实现实现横屏保存图片功能 如图所示: 2.mtk

Spring MVC 图片上传

引入需要的包 <dependency><groupId>commons-logging</groupId><artifactId>commons-logging</artifactId><version>1.1</version></dependency><dependency><groupId>commons-io</groupId><artifactId>commons-

Prompt - 将图片的表格转换成Markdown

Prompt - 将图片的表格转换成Markdown 0. 引言1. 提示词2. 原始版本 0. 引言 最近尝试将图片中的表格转换成Markdown格式,需要不断条件和优化提示词。记录一下调整好的提示词,以后在继续优化迭代。 1. 提示词 英文版本: You are an AI assistant tasked with extracting the content of

研究人员在RSA大会上演示利用恶意JPEG图片入侵企业内网

安全研究人员Marcus Murray在正在旧金山举行的RSA大会上公布了一种利用恶意JPEG图片入侵企业网络内部Windows服务器的新方法。  攻击流程及漏洞分析 最近,安全专家兼渗透测试员Marcus Murray发现了一种利用恶意JPEG图片来攻击Windows服务器的新方法,利用该方法还可以在目标网络中进行特权提升。几天前,在旧金山举行的RSA大会上,该Marcus现场展示了攻击流程,

恶意PNG:隐藏在图片中的“恶魔”

&lt;img src=&quot;https://i-blog.csdnimg.cn/blog_migrate/bffb187dc3546c6c5c6b8aa18b34b962.jpeg&quot; title=&quot;214201hhuuhubsuyuukbfy_meitu_1_meitu_2.jpg&quot;/&gt;&lt;/strong&gt;&lt;/span&gt;&lt;

PHP抓取网站图片脚本

方法一: <?phpheader("Content-type:image/jpeg"); class download_image{function read_url($str) { $file=fopen($str,"r");$result = ''; while(!feof($file)) { $result.=fgets($file,9999); } fclose($file); re

(入门篇)JavaScript 网页设计案例浅析-简单的交互式图片轮播

网页设计已经成为了每个前端开发者的必备技能,而 JavaScript 作为前端三大基础之一,更是为网页赋予了互动性和动态效果。本篇文章将通过一个简单的 JavaScript 案例,带你了解网页设计中的一些常见技巧和技术原理。今天就说一说一个常见的图片轮播效果。相信大家在各类电商网站、个人博客或者展示页面中,都看到过这种轮播图。它的核心功能是展示多张图片,并且用户可以通过点击按钮,左右切换图片。