5

我正在尝试从 url 下载图像,然后对其进行解码。问题是我不知道它们有多大,如果我立即解码它们,应用程序会因图像太大而崩溃。

我正在执行以下操作,它适用于大多数图像,但对于其中一些图像,它会引发java.io.IOException: Mark has been invalidated异常。这不是大小问题,因为它发生在 75KB 或 120KB 的图像上,而不是 20MB 或 45KB 的图像上。此外,格式并不重要,因为它可能发生在 jpg 或 png 图像中。

pis是一个InputStream

    Options opts = new BitmapFactory.Options();
    BufferedInputStream bis = new BufferedInputStream(pis);
    bis.mark(1024 * 1024);
    opts.inJustDecodeBounds = true;
    Bitmap bmImg=BitmapFactory.decodeStream(bis,null,opts);

    Log.e("optwidth",opts.outWidth+"");
    try {
        bis.reset();
        opts.inJustDecodeBounds = false;
        int ratio = opts.outWidth/800; 
        Log.e("ratio",String.valueOf(ratio));
        if (opts.outWidth>=800)opts.inSampleSize = ratio;

        return BitmapFactory.decodeStream(bis,null,opts);

    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
        return null;
    }
4

1 回答 1

6

我想你想解码大图像。我是通过选择图库图片来做到的。

File photos= new File("imageFilePath that you select");
Bitmap b = decodeFile(photos);

“decodeFile(photos)”函数用于解码大图像。我认为您需要获取图像 .png 或 .jpg 格式。

 private Bitmap decodeFile(File f){
        try {
            //decode image size
            BitmapFactory.Options o = new BitmapFactory.Options();
            o.inJustDecodeBounds = true;
            BitmapFactory.decodeStream(new FileInputStream(f),null,o);

            //Find the correct scale value. It should be the power of 2.
            final int REQUIRED_SIZE=70;
            int width_tmp=o.outWidth, height_tmp=o.outHeight;
            int scale=1;
            while(true){
                if(width_tmp/2<REQUIRED_SIZE || height_tmp/2<REQUIRED_SIZE)
                    break;
                width_tmp/=2;
                height_tmp/=2;
                scale++;
            }

            //decode with inSampleSize
            BitmapFactory.Options o2 = new BitmapFactory.Options();
            o2.inSampleSize=scale;
            return BitmapFactory.decodeStream(new FileInputStream(f), null, o2);
        } catch (FileNotFoundException e) {}
        return null;
    }

您可以使用 imageView 显示它。

ImageView img = (ImageView)findViewById(R.id.sdcardimage);
img.setImageBitmap(b);
于 2011-06-18T13:52:42.937 回答