0

我有一个奇怪的问题,我已经尝试解决了几个小时。问题是下面的代码可以解码所有图像,除了名称中第一个字母小的图像。例如,它适用于 Dog.png 或 123.png,但不适用于 dog.png、cat.png 或任何其他首字母较小的文件。它只是为它们显示一些随机颜色。我很困惑。有任何想法吗?

    Bitmap bitmap = null;

    options.inJustDecodeBounds = false;
    try {
        bitmap =  BitmapFactory.decodeStream((InputStream)new URL(imagePath).getContent(), null, options);
    } catch (MalformedURLException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }
    image.setImageBitmap(bimage);
4

1 回答 1

2

我找到了解决方案。来自这些 URL 的图片可以被解码,但问题是它太大了,所以它显示得非常大,看起来好像没有显示。

首先,我们需要像这样捕获图像的描述:

options.inJustDecodeBounds = true;
BitmapFactory.decodeStream((InputStream)new URL(url).getContent(), null, options);

然后将其缩放到所需的宽度/高度,reqHeight/reqWidth 是想要的大小参数:

int height = options.outHeight;
int width = options.outWidth;
int inSampleSize;

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

之后,只需重复问题中的代码:

Bitmap bitmap = null;

options.inJustDecodeBounds = false;
try {
    bitmap =  BitmapFactory.decodeStream((InputStream)new URL(imagePath).getContent(), null, options);
} catch (MalformedURLException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
} catch (IOException e) {
    // TODO Auto-generated catch block
    e.printStackTrace();
}

现在我们可以将它保存到某个目录:

File file = new File(some_path\image.png);

    if (!file.exists() || file.length() == 0) {
            file.createNewFile();
            FileOutputStream fos = new FileOutputStream(file);
            bitmap.compress(Bitmap.CompressFormat.PNG, 100, fos);
            fos.close();
            fos.flush();

现在保存的图像,我们可以抓取它并显示在名为 image 的 ImageView 中:

Bitmap bitmap = BitmapFactory.decodeFile(some_path\image.png);
image.setImageBitmap(bitmap);
于 2012-12-20T09:21:43.543 回答