读大图像避免内存溢出方法

经常读取图片大小超过屏幕显示的图(一般只要显示一定规格的预览图即可),在图片特别多或者图片显示特别频繁的时候特别要注意这个问题,下面介绍个按指定大小读取图像的方法。

实现原理:首先获取图片文件的图像高和宽,如果小于指定比例,则直接读取;如果超过比例则按指定比例压缩读取。

捕获OutOfMemoryError时注意点:后面返回的是null,不要马上从别的地方再读图片,包括R文件中的,不然依然会抛出这个异常,一般在初始化的时候缓存默认图片,然后显示缓存中的图片。

主要代码

/** 获取图像的宽高**/

    public static int[] getImageWH(String path){

       int[] wh = {-1, -1};

       if(path == null){

           return wh;

       }

       File file = new File(path);

       if(file.exists() && !file.isDirectory()){

           try {

              BitmapFactory.Options options = new BitmapFactory.Options();

              options.inJustDecodeBounds = true;

              InputStream is = new FileInputStream(path);

              BitmapFactory.decodeStream(is, null, options);

              wh[0] = options.outWidth;

              wh[1] = options.outHeight;

           } catch (Exception e) {

              Log.w(TAG, "getImageWH Exception.", e);

           }

       }

       return wh;

    }

public static Bitmap createBitmapByScale(String path, int scale){

    Bitmap bm = null;

    try {

        //获取宽高

        int[] wh = getImageWH(path);

        if(wh[0] == -1 || wh[1] == -1){

            return null;

        }

        //读取图片

        BitmapFactory.Options options = new BitmapFactory.Options();

        options.inSampleSize = Math.max(wh[0]/scale, wh[1]/scale);

        InputStream is = new FileInputStream(path);

           bm = BitmapFactory.decodeStream(is, null, options);

       }

    catch (Exception e) {

        Log.w(TAG, "createBitmapByScale Exception.", e);

       }

    catch (OutOfMemoryError e) {

           Log.w(TAG, "createBitmapByScale OutOfMemoryError.", e);

           //TODO: out of memory deal..

       }

    return bm;

    }

你可能感兴趣的:(Android,技术文章)