优化方案一:

尽量不要在布局文件中设置图片资源,改为代码动态读取

优化方案二:读取图片时注意方法的调用,适当压缩

尽量不要使用 setImageBitmap或 setImageResource或 BitmapFactory.decodeResource来设置一张大图,因为这些函数在完成decode后,最终都是通过java层的 createBitmap来完成的,需要消耗更多内存。因此,改用先通过 BitmapFactory.decodeStream方法,创建出一个bitmap,再将其设为ImageView的 source, decodeStream最大的秘密在于其直接调用JNI–>nativeDecodeAsset()来完成decode,无需再使用java层的createBitmap,从而节省了java层的空间。

如果在读取时加上图片的Config参数,可以跟有效减少加载的内存,从而跟有效阻止抛out of Memory异常。

另外,decodeStream直接拿图片来读取字节码, 不会根据机器的各种分辨率来自动适应,使用了decodeStream之后,需要在hdpi和mdpi,ldpi中配置相应的图片资源, 否则在不同分辨率机器上都是同样大小(像素点数量),显示出来的大小就不对了。

/**
  * 以最省内存的方式读取本地资源的图片
  * @param context
  * @param resId
  * @return
  */
  public static Bitmap readBitMap(Context context, int resId){ 
      BitmapFactory.Options opt = new BitmapFactory.Options();
      //一张图片所占内存大小方法:图片长*宽*所占像素字节数,而像素字节数Android中也就四种:
      //1:ALPHA_8 占1个字节
      //2:ARGB_4444 占2个字节
      //3:ARGB_8888 占4个字节
      //4:RGB_565  占2个字节
      opt.inPreferredConfig = Bitmap.Config.RGB_565;
      opt.inPurgeable = true;
      opt.inInputShareable = true;
      // 获取资源图片
      InputStream is = context.getResources().openRawResource(resId);
      return BitmapFactory.decodeStream(is, null, opt);
  }

优化方案三:适当的时候(onStop/onDestory)回收页面占用较多内存的资源(如:Bitmap)

protected void recycleRes(ImageView imageView){
        if (imageView != null&& imageView.getDrawable() != null) {
            imageView.clearAnimation();
            Bitmap oldBitmap = ((BitmapDrawable) imageView.getDrawable()).getBitmap();
            imageView.setImageDrawable(null);
            if(oldBitmap != null){
                oldBitmap.recycle();
                oldBitmap = null;
            }
            imageView = null;
        }
    }

 System.gc();//提醒系统回收资源

优化方案四:压缩图片

二次采样
InputStream is = this.getResources().openRawResource(R.drawable.pic1); 
 BitmapFactory.Options options=new BitmapFactory.Options(); 
 options.inJustDecodeBounds = false; 
 //width,hight设为原来的十分一,缩放的比例,缩放是很难按准备的比例进行缩放的,其值表明缩放的倍数,SDK中建议其值是2的指数值,值越大会导致图片不清晰 
 options.inSampleSize = 4; 
 Bitmap btp =BitmapFactory.decodeStream(is,null,options);根据控件的实际宽高压缩图片
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; 
 }