http://bbs.chinaunix.net/viewthread.php?tid=3555271
在编写Android程序的时候,我们总是难免会碰到OOM(OUT OF MEMORY)的错误,那么这个错误究竟是怎么来的呢,可以先看一下这篇文章ANDROID BITMAP内存限制OOM,OUT OF MEMORY。
这里,我使用Gallery来举例,在模拟器中,不会出现OOM错误,但是,一旦把程序运行到真机里,图片文件一多,必然会出现OOM,我们通过做一些额外的处理来避免。
1.创建一个图片缓存对象HashMap dataCache,integer对应Adapter中的位置position,我们只用缓存处在显示中的图片,对于之外的位置,如果dataCache中有对应的图片,我们需要进行回收内存。在这个例子中,Adapter对象的getView方法首先判断该位置是否有缓存的bitmap,如果没有,则解码图片(bitmapDecoder.getPhotoItem,BitmapDecoder类见后面)并返回bitmap对象,设置dataCache 在该位置上的bitmap缓存以便之后使用;若是该位置存在缓存,则直接取出来使用,避免了再一次调用底层的解码图像需要的内存开销。有时为了提高 Gallery的更新速度,我们还可以预存储一些位置上的bitmap,比如存储显示区域位置外向上3个向下3个位置的bitmap,这样上或下滚动 Gallery时可以加快getView的获取。
- 01.public View getView(int position, View convertView, ViewGroup parent) {
-
- 02.
-
- 03.if(convertView==null){
-
- 04.LayoutInflater inflater = LayoutInflater.from(context);
-
- 05.convertView = inflater.inflate(R.layout.photo_item, null);
-
- 06.holder = new ViewHolder();
-
- 07.holder.photo = (ImageView) convertView.findViewById(R.id.photo_item_image);
-
- 08.holder.photoTitle = (TextView) convertView.findViewById(R.id.photo_item_title);
-
- 09.holder.photoDate = (TextView) convertView.findViewById(R.id.photo_item_date);
-
- 10.convertView.setTag(holder);
-
- 11.}else {
-
- 12.holder = (ViewHolder) convertView.getTag();
-
- 13.}
-
- 14.cursor.moveToPosition(position);
-
- 15.Bitmap current = dateCache.get(position);
-
- 16.if(current != null){//如果缓存中已解码该图片,则直接返回缓存中的图片
-
- 17.holder.photo.setImageBitmap(current);
-
- 18.}else {
-
- 19.current = bitmapDecoder.getPhotoItem(cursor.getString(1), 2) ;
-
- 20.holder.photo.setImageBitmap(current);
-
- 21.dateCache.put(position, current);
-
- 22.}
-
- 23.
-
- 24.holder.photoTitle.setText(cursor.getString(2));
-
- 25.holder.photoDate.setText(cursor.getString(4));
-
- 26.return convertView;
-
- 27.}
-
- 28.
-
- 29.}
复制代码
- 01.package eoe.bestjoy;
-
- 02.
-
- 03.import java.io.FileNotFoundException;
-
- 04.import java.io.FileOutputStream;
-
- 05.import android.content.Context;
-
- 06.import android.graphics.Bitmap;
-
- 07.import android.graphics.BitmapFactory;
-
- 08.import android.graphics.Matrix;
-
- 09.
-
- 10.public class BitmapDecoder {
-
- 11.
-
- 12.private static final String TAG = "BitmapDecoder";
-
- 13.private Context context;
-
- 14.public BitmapDecoder(Context context) {
-
- 15.this.context = context;
-
- 16.}
-
- 17.
-
- 18.public Bitmap getPhotoItem(String filepath,int size) {
-
- 19.BitmapFactory.Options options = new BitmapFactory.Options();
-
- 20.options.inSampleSize=size;
-
- 21.Bitmap bitmap = BitmapFactory.decodeFile(filepath,options);
-
- 22.bitmap=Bitmap.createScaledBitmap(bitmap, 180, 251, true);
-
- 23.//预先缩放,避免实时缩放,可以提高更新率
-
- 24.return bitmap;
-
- 25.}
-
- 26.
-
- 27.}
复制代码
2.由于Gallery控件的特点,总有一个item处于当前选择状态,我们利用此时进行dataCache中额外不用的bitmap的清理,来释放内存。