我知道这是重复的,但我无法解决问题
在我的Android应用程序中,我从一个url下载一个图像,它因内存不足而崩溃
我在下载功能的Bitmap.createScaledBitmap
行收到错误。
一切都在doInBackground。
private Bitmap downloadImage(String url) {
Bitmap bitmap = null;
InputStream stream = null;
BitmapFactory.Options bmOptions = new BitmapFactory.Options();
bmOptions.inSampleSize = 1;
try {
stream = getHttpConnection(url);
bitmap = BitmapFactory.decodeStream(stream, null, bmOptions);
// add on 12/02/2014
bitmap = Bitmap.createScaledBitmap( // Out of memory exception
bitmap, (int) (bitmap.getWidth() * 0.8),
(int) (bitmap.getHeight() * 0.8), true);
// Adding given image bitmap to byte array for edit spot.
ByteArrayOutputStream stream1 = new ByteArrayOutputStream();
bitmap.compress(Bitmap.CompressFormat.PNG, 100, stream1);
byte[] array = stream1.toByteArray();
AddNewSpotValues.comm_2_picture_path = array;
stream.close();
} catch (IOException e1) {
Log.e("image download problem IO", e1.getMessage());
e1.printStackTrace();
}
return bitmap;
}
// Makes HttpURLConnection and returns InputStream
private InputStream getHttpConnection(String urlString)
throws IOException {
InputStream stream = null;
URL url = new URL(urlString);
URLConnection connection = url.openConnection();
try {
HttpURLConnection httpConnection = (HttpURLConnection) connection;
httpConnection.setRequestMethod("GET");
httpConnection.connect();
if (httpConnection.getResponseCode() == HttpURLConnection.HTTP_OK) {
stream = httpConnection.getInputStream();
}
} catch (Exception ex) {
Log.e("image download problem", ex.getMessage());
ex.printStackTrace();
}
return stream;
}
logcat的
at android.graphics.Bitmap.nativeCreate(Native Method)
at android.graphics.Bitmap.createBitmap(Bitmap.java:718)
at android.graphics.Bitmap.createBitmap(Bitmap.java:695)
at android.graphics.Bitmap.createBitmap(Bitmap.java:628)
at android.graphics.Bitmap.createScaledBitmap(Bitmap.java:508)
at com.fssd.spot.setting.MyAccount_MySpot.downloadImage(MyAccount_MySpot.java:353)
at com.fssd.spot.setting.MyAccount_MySpot.access$6(MyAccount_MySpot.java:336)
at com.fssd.spot.setting.MyAccount_MySpot$GetDetailOfSelectedSPOT.doInBackground(MyAccount_MySpot.java:315)
at com.fssd.spot.setting.MyAccount_MySpot$GetDetailOfSelectedSPOT.doInBackground(MyAccount_MySpot.java:1)
at android.os.AsyncTask$2.call(AsyncTask.java:287)
at java.util.concurrent.FutureTask.run(FutureTask.java:234)
... 4 more
请帮助我。
答案 0 :(得分:0)
另外,不应直接从互联网上解码位图,而应考虑先将其下载到文件中。
你需要记住android在许多类型的设备上运行,因此并非所有设备都可以处理大型图像。
每个应用程序的MB最小值仍为16MB(写为here),因此如果图像大小为WIDTH * HEIGHT,则在解码后通常需要4 * WIDTH * HEIGHT字节。你可以通过设置位图的类型或缩小图像的分辨率来缩小它。
一个好方法是将图像缩减到屏幕大小,因为设备应始终能够显示全屏图像。如果图像没有透明像素并且您不太关心质量,则可以使用RGB_565配置而不是默认的ARGB_8888配置,这将使位图仅使用2 * WIDTH * HEIGHT字节。
顺便说一下,使用createScaledBitmap除了你已经拥有的位图之外还会创建一个新的位图,所以你应该只在你没有选择时使用它。如果你想改变已经解码的位图的大小,你可以使用我的小库来使用NDK& JNI,here。
答案 1 :(得分:0)