没错,我正在创建一个Android应用程序,该应用程序需要显示某些URL的图像。不幸的是,图像太大了,当我将其传递到可绘制对象而没有任何解码时,它给了我内存不足的异常。

因此,我尝试首先使用BitmapFactory.decodeStream解码图像。

这是一些代码:

首先,我用来解码图像的方法:

public static Bitmap decodeSampledBitmapFromResource(Resources res, String src,
            int reqWidth, int reqHeight) {

        // First decode with inJustDecodeBounds=true to check dimensions
        final BitmapFactory.Options options = new BitmapFactory.Options();

        InputStream input = null;
        InputStream input2 = null;

        Rect paddingRect = new Rect(-1, -1, -1, -1);

        try {
            URL url = new URL(src);
            HttpURLConnection connection = (HttpURLConnection) url.openConnection();
            connection.setDoInput(true);
            connection.connect();
            input = connection.getInputStream();
            //input2 = connection.getInputStream();
        } catch (IOException e) {
            e.printStackTrace();
            return null;
        }

        options.inJustDecodeBounds = true;
        BitmapFactory.decodeStream(input, paddingRect, options);

        // Calculate inSampleSize
        options.inSampleSize = calculateInSampleSize(options, reqWidth, reqHeight);

       try {
        input.reset();
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }

        // Decode bitmap with inSampleSize set
        options.inJustDecodeBounds = false;

        return BitmapFactory.decodeStream(input, paddingRect, options);
    }

public static int calculateInSampleSize(
            BitmapFactory.Options options, int reqWidth, int reqHeight) {
    // Raw height and width of image
    final int height = options.outHeight;
    final int width = options.outWidth;
    int inSampleSize = 40;

    if (height > reqHeight || width > reqWidth) {
        if (width > height) {
            inSampleSize = Math.round((float)height / (float)reqHeight);
        } else {
            inSampleSize = Math.round((float)width / (float)reqWidth);
        }
    }
    return inSampleSize;
}


然后在活动的OnCreate中调用该方法的位置:

imageFrame1.setImageBitmap(
                decodeSampledBitmapFromResource(getResources(), src, 100, 100));


就像现在的代码一样,当我在第一次对输入流进行解码后尝试重置输入流时,它捕获了IOException,然后我得到LogCat消息:SKImageDecoder :: Factory返回了Null。

如果我删除了input.reset();从代码中,然后我得到相同的LogCat消息,只是没有IOException。

Kinda在这一点上感到难过,希望有人在这里提出一些建议?

最佳答案

您无法通过HTTP连接重置流,因为基础逻辑未缓存(足够)该流。

创建一种方法,将图片写入本地存储(光盘或内存),然后进行分析。 (可选)同时执行两项操作(需要更多的精力)。

10-07 22:26