我正在写一个与Facebook集成的应用程序。
我的应用程序可以显示朋友列表。
列表中的每个项目都有一个ProfilePictureView
:
<com.facebook.widget.ProfilePictureView
android:id="@+id/fli_profilePicture"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
app:is_cropped="true"
app:preset_size="small" />
然后列表适配器将用户的id设置到每个项的
ProfilePictureView
: ProfilePictureView profilePicture = (ProfilePictureView) view.findViewById(R.id.fli_profilePicture);
profilePicture.setProfileId(friendsList.get(position).getId());
但是这样,如果滚动过多,
ListView
会抛出outofmemoryerror。是因为
ProfilePictureView
下载了大版本的个人资料图片,然后只将其缩放到小版本吗?如果是的话,我该如何设置它来下载小尺寸的图片呢?或者还有别的办法来对付它吗?
谢谢
最佳答案
您可能应该通过缩小下载图像的比例来减少内存消耗
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*=2;
}
//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;
}
这里有一个很好的教程,可以在ListView中下载图像
http://www.technotalkative.com/android-asynchronous-image-loading-in-listview/
希望对你有帮助:)