码迷,mamicode.com
首页 > 其他好文 > 详细

Bitmap缓存机制

时间:2014-11-06 10:56:45      阅读:215      评论:0      收藏:0      [点我收藏+]

标签:缓存   本地   内存   本地缓存   lrucache   

Bitmap缓存机制

加载一个bitmap到UI里面比较简单直接,但是,如果我们一次加载大量的bitmap数据的时候就变得复杂了。许多情况下(比如这些组件:ListVIew,GridView或者ViewPager),显示的图片和将要滚动显示的图片一般是没有限制的。
内存的使用量可以被降下来,通过回收那些移出屏幕之外的组件。Android的垃圾回收机制同样会释放你的资源,如果它们没有被引用。这种机制是好的,但是为了获得流畅快速的UI体验,我们想避免重复下载图片。一种本地内存缓存的方法提供了很大的帮助,可以快速的重新加载本地缓存的资源。
本章将带你使用内存缓存的机制来提高UI的响应速度和流畅的体验,当加载多张图片的时候。
原文:http://wear.techbrood.com/training/displaying-bitmaps/cache-bitmap.html#config-changes

使用内存缓存

内存缓存使用有限的应用内存去缓存bitmap。LruCache这个类(also available in the Support Li brary for use back to API Level 4),非常适合缓存bitmaps,他使用LinkedHashMap,它会在超过缓存大小的时候回收最近最少使用的指向。
Note:过去,我们常使用 SoftReference or WeakReference 来缓存,但是现在不推荐了。从Android2.3(API Level 9),垃圾回收器抵制使用它们。Android3.0(11)之后,bitmap被存储在有效的缓存里面,在可预测的情况下并不能被释放,这样导致超过内存限制并且导致崩溃。
为了为LrcCache选择合适的内存空间,下面几个因素要被大家重视的:
  • 你应用的空余内存是多大?
  • 一次将要加载多少张图片显示?现在已经显示了多少张图片?
  • 屏幕的尺寸大小和密度是多少?高密度的是被比如Galaxy Nexus要比低密度的设备需要更大的缓存。
  • bitmap的尺寸和配置是什么,没一张图片所占资源的大小是多少?
  • 你需要什么样的用户体验?还是有一部分需要流畅的体验?如果是这样的话,你可以把他们长久的放到内存里面或者使用LrcCache缓存。
  • 你需要在质量(内存大小)和“质量”(图片的质量)上做出选择?有时候,我们可以选择存储缩略图,后台加载更高质量的图片。
没有一个特定大小的内存可以使用所有的应用,他取决于你去分析内存的使用情况寻找一个合适的解决方法。缓存太小的话没有什么意义,缓存太大容易引起java.lang.OutOfMemory exceptions并且只留给你的应用很少的一部分内存。
这里有个使用LruCache的例子:
private LruCache<String, Bitmap> mMemoryCache;

@Override
protected void onCreate(Bundle savedInstanceState) {
    ...
    // Get max available VM memory, exceeding this amount will throw an
    // OutOfMemory exception. Stored in kilobytes as LruCache takes an
    // int in its constructor.
    final int maxMemory = (int) (Runtime.getRuntime().maxMemory() / 1024);

    // Use 1/8th of the available memory for this memory cache.
    final int cacheSize = maxMemory / 8;

    mMemoryCache = new LruCache<String, Bitmap>(cacheSize) {
        @Override
        protected int sizeOf(String key, Bitmap bitmap) {
            // The cache size will be measured in kilobytes rather than
            // number of items.
            return bitmap.getByteCount() / 1024;
        }
    };
    ...
}

public void addBitmapToMemoryCache(String key, Bitmap bitmap) {
    if (getBitmapFromMemCache(key) == null) {
        mMemoryCache.put(key, bitmap);
    }
}

public Bitmap getBitmapFromMemCache(String key) {
    return mMemoryCache.get(key);
}
Note: In this example, one eighth of the application memory is allocated for our cache. On a normal/hdpi device this is a minimum of around 4MB (32/8). A fullscreen GridView filled with images on a device with 800x480 resolution would use around 1.5MB (800*480*4 bytes), so this would cache a minimum of around 2.5pages of images in memory.

当我们加载一张图片到ImageView,首先检查Lrucache。如果一旦找到接口,我们可以很快速的更新这个ImageView,否则,我们启动一个线程去执行加载这张图片。
public void loadBitmap(int resId, ImageView imageView) {
    final String imageKey = String.valueOf(resId);

    final Bitmap bitmap = getBitmapFromMemCache(imageKey);
    if (bitmap != null) {
        mImageView.setImageBitmap(bitmap);
    } else {
        mImageView.setImageResource(R.drawable.image_placeholder);
        BitmapWorkerTask task = new BitmapWorkerTask(mImageView);
        task.execute(resId);
    }
}
BitmapWorkerTask需要更新资源和资源的缓存接口:
class BitmapWorkerTask extends AsyncTask<Integer, Void, Bitmap> {
    ...
    // Decode image in background.
    @Override
    protected Bitmap doInBackground(Integer... params) {
        final Bitmap bitmap = decodeSampledBitmapFromResource(
                getResources(), params[0], 100, 100));
        addBitmapToMemoryCache(String.valueOf(params[0]), bitmap);
        return bitmap;
    }
    ...
}

使用本地缓存

内存缓存是一种很好的提高速度的方法,但是你不能完全依靠它。像GridView组件很快的占用掉大量内存。你的应用可能会被其他任务打断,比如来电,并且后台进程可能会被终止,内存缓存也可能会被释放,当你的应用再次启动时候,你不得不重新加载。
本地缓存可以解决这个问题,帮助你存储那些缓存不需要的资源来减少重复加载的次数,当然,本地缓存的使用要比内存缓存的速度要慢,需要在后台操作,担任果然读取的事件是不可预知的
Note: A ContentProvider might be a more appropriate place to store cached images if they are accessed more frequently, for example in an image gallery application.
下面的代码DiskLrcCache,是从本地加载的一个例子:
private DiskLruCache mDiskLruCache;
private final Object mDiskCacheLock = new Object();
private boolean mDiskCacheStarting = true;
private static final int DISK_CACHE_SIZE = 1024 * 1024 * 10; // 10MB
private static final String DISK_CACHE_SUBDIR = "thumbnails";

@Override
protected void onCreate(Bundle savedInstanceState) {
    ...
    // Initialize memory cache
    ...
    // Initialize disk cache on background thread
    File cacheDir = getDiskCacheDir(this, DISK_CACHE_SUBDIR);
    new InitDiskCacheTask().execute(cacheDir);
    ...
}

class InitDiskCacheTask extends AsyncTask<File, Void, Void> {
    @Override
    protected Void doInBackground(File... params) {
        synchronized (mDiskCacheLock) {
            File cacheDir = params[0];
            
mDiskLruCache = DiskLruCache.open(cacheDir, DISK_CACHE_SIZE);
            mDiskCacheStarting = false; // Finished initialization
            mDiskCacheLock.notifyAll(); // Wake any waiting threads
        }
        return null;
    }
}

class BitmapWorkerTask extends AsyncTask<Integer, Void, Bitmap> {
    ...
    // Decode image in background.
    @Override
    protected Bitmap doInBackground(Integer... params) {
        final String imageKey = String.valueOf(params[0]);

        // Check disk cache in background thread
        Bitmap bitmap = getBitmapFromDiskCache(imageKey);

        if (bitmap == null) { // Not found in disk cache
            // Process as normal
            final Bitmap bitmap = decodeSampledBitmapFromResource(
                    getResources(), params[0], 100, 100));
        }

        // Add final bitmap to caches
        addBitmapToCache(imageKey, bitmap);

        return bitmap;
    }
    ...
}

public void addBitmapToCache(String key, Bitmap bitmap) {
    // Add to memory cache as before
    if (getBitmapFromMemCache(key) == null) {
        mMemoryCache.put(key, bitmap);
    }

    // Also add to disk cache
    synchronized (mDiskCacheLock) {
        if (mDiskLruCache != null && mDiskLruCache.get(key) == null) {
            mDiskLruCache.put(key, bitmap);
        }
    }
}

public Bitmap getBitmapFromDiskCache(String key) {
    synchronized (mDiskCacheLock) {
        // Wait while disk cache is started from background thread
        while (mDiskCacheStarting) {
            try {
                mDiskCacheLock.wait();
            } catch (InterruptedException e) {}
        }
        if (mDiskLruCache != null) {
            return mDiskLruCache.get(key);
        }
    }
    return null;
}

// Creates a unique subdirectory of the designated app cache directory. Tries to use external
// but if not mounted, falls back on internal storage.
public static File getDiskCacheDir(Context context, String uniqueName) {<pre name="code" class="java">private LruCache<String, Bitmap> mMemoryCache;

@Override
protected void onCreate(Bundle savedInstanceState) {
    ...
    RetainFragment retainFragment =
            RetainFragment.findOrCreateRetainFragment(getFragmentManager());
    mMemoryCache = retainFragment.mRetainedCache;
    if (mMemoryCache == null) {
        mMemoryCache = new LruCache<String, Bitmap>(cacheSize) {
            ... // Initialize cache here as usual
        }
        retainFragment.mRetainedCache = mMemoryCache;
    }
    ...
}

class RetainFragment extends Fragment {
    private static final String TAG = "RetainFragment";
    public LruCache<String, Bitmap> mRetainedCache;

    public RetainFragment() {}

    public static RetainFragment findOrCreateRetainFragment(FragmentManager fm) {
        RetainFragment fragment = (RetainFragment) fm.findFragmentByTag(TAG);
        if (fragment == null) {
            fragment = new RetainFragment();
            fm.beginTransaction().add(fragment, TAG).commit();
        }
        return fragment;
    }

    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setRetainInstance(true);
    }
}

Note: Even initializing the disk cache requires disk operations and therefore should not take place on the main thread. However, this does mean there‘s a chance the cache is accessed before initialization. To address this, in the above implementation, a lock
 object ensures that the app does not read from the disk cache until the cache has been initialized.
内存缓存在UI线程里面检测,本地缓存需要在后台使用,本地缓存不能取代内存缓存在UI线程里面的地位,最终,为了以后的使用bitmap同事被放到内存和本地

处理配置的变化

运行时的配置变化,比如屏幕方向的变化会引起Android摧毁和重启Activity(For more information about this behavior, see Handling Runtime Changes),你想避免再次process你的图片,为了更快的体验。
幸运的是,你有一个很好的内存缓存机制,你可以使用Fragment来忽略这些通过使用setRetainInstance(true)当Activity被重新创建的时候,该保留的Fragment同样会被重新附着到你的应用上面。
下面是一个应对配置改变时的例子:
class RetainFragment extends Fragment {
    private static final String TAG = "RetainFragment";
    public LruCache<String, Bitmap> mRetainedCache;

    public RetainFragment() {}

    public static RetainFragment findOrCreateRetainFragment(FragmentManager fm) {
        RetainFragment fragment = (RetainFragment) fm.findFragmentByTag(TAG);
        if (fragment == null) {
            fragment = new RetainFragment();
            fm.beginTransaction().add(fragment, TAG).commit();
        }
        return fragment;
    }

    @Override
    public void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setRetainInstance(true);
    }
}
为了测试它,我们可以旋转屏幕在保留和不保留Fragment的情况下。你应该会注意到,当你保留Fragment的时候,你会注意到图片会毫无滞留的从内存缓存加载,内存中没有找到的会被缓存到本地,如果不这样的话,和常规一样。

缓存的图片的优化请看上一篇:多线程处理Bitmaps


Bitmap缓存机制

标签:缓存   本地   内存   本地缓存   lrucache   

原文地址:http://blog.csdn.net/liu8497/article/details/40855353

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!