Detailed explanation of Android Bitmap cache pool usage

Detailed explanation of Android Bitmap cache pool usage

This article introduces how to use cache to improve the smoothness of UI loading, input and sliding. Using memory cache, disk cache, and processing configuration change events will effectively solve this problem.

Displaying a single image in your UI is very simple, but it becomes a bit more complicated if you need to display many images at once. In many cases (such as using ListView, GridView or ViewPager controls), the number of images displayed on the screen and the number of images that will be displayed on the screen are very large (such as browsing a large number of images in a gallery).

In these controls, when a child control is not displayed, the system will reuse the control to display it in a loop to reduce memory consumption. At the same time, the garbage collection mechanism will release the Bitmap resources that have been loaded into the memory (assuming you do not have strong references to these Bitmaps). Generally speaking, this is good, but when the user slides the screen back and forth, in order to ensure the smoothness of the UI and the efficiency of loading pictures, you need to avoid repeatedly processing the pictures that need to be displayed. Using memory cache and disk cache can solve this problem. Using cache allows the control to quickly load the processed pictures.

This article describes how to use caching to improve the smoothness of UI loading, input, and sliding.

Using Memory Cache

Memory caching increases the speed of image access, but it takes up a lot of memory. The LruCache class (which can be used in the Support Library before API 4) is particularly suitable for caching Bitmaps. It saves the most recently used Bitmap objects with strong references (in LinkedHashMap), and deletes infrequently used objects when the cache size reaches a predetermined value.

Note: In the past, the common practice to implement memory cache was to use SoftReference or WeakReference bitmap cache, but this method is not recommended. Starting from Android 2.3 (API Level 9), garbage collection began to forcibly recycle soft/weak references, resulting in no efficiency improvement for these caches.

In addition, before Android 3.0 (API Level 11), these cached Bitmap data are stored in the underlying memory (native memory), and these objects will not be released after the predetermined conditions are met, which may cause the program to exceed the memory limit and crash.

When using LruCache, you need to consider the following factors to choose an appropriate cache quantity parameter:

  • How much memory is available in the program
  • How many images should be displayed on the screen at the same time? How many images should be cached first to be displayed on the screen that will be seen soon?
  • What is the device's screen size and screen density? Extra high screen density (xhdpi, such as the Galaxy Nexus)
  • A device with a higher screen density (hdpi, such as the Nexus S) will require more memory to display the same image than a device with a lower screen density (hdpi, such as the Nexus S).
  • The size and format of the image determines how much memory each image takes up.
  • How often are your images accessed? Are some images accessed much more often than others? If so, you may want to move these frequently accessed images into memory.
  • How do you balance quality and quantity? In some cases it is useful to save a large number of low-quality images, and then use a background thread to join a high-quality version when needed.

There is no 100% recipe that works for all applications. You need to analyze your usage and specify your own cache strategy. Using a cache that is too small will not work as expected, while using a cache that is too large will consume more resources.

memory, which may cause a java.lang.OutOfMemory exception or leave little memory for other functions of your program.

Here is an example using LruCache:

  1. private LruCache<string, bitmap= "" > mMemoryCache;
  2.  
  3. @Override
  4. protected void onCreate(Bundle savedInstanceState) {
  5. ...
  6. // Get memory class of this device, exceeding this amount will throw an
  7. // OutOfMemory exception.
  8. final int memClass = ((ActivityManager) context.getSystemService(
  9. Context.ACTIVITY_SERVICE)).getMemoryClass();
  10.  
  11. // Use 1/8th of the available memory for this memory cache.
  12. final int cacheSize = 1024 * 1024 * memClass / 8;
  13.  
  14. mMemoryCache = new LruCache<string, bitmap= "" >(cacheSize) {
  15. @Override
  16. protected int sizeOf(String key , Bitmap bitmap) {
  17. // The cache size will be measured in bytes rather than number of items.
  18. return bitmap.getByteCount();
  19. }
  20. };
  21. ...
  22. }
  23. public void addBitmapToMemoryCache(String key , Bitmap bitmap) {
  24. if (getBitmapFromMemCache( key ) == null ) {
  25. mMemoryCache.put( key , bitmap);
  26. }
  27. }
  28. public Bitmap getBitmapFromMemCache(String key ) {
  29. return mMemoryCache.get( key );
  30. }

Note: In this example, 1/8 of the program's memory is used for caching. On a normal/hdpi device, this is at least 4MB (32/8) of memory.

On a device with a resolution of 800×480, filling the full-screen GridView with images will use about 1.5MB (800*480*4 bytes) of memory, so about 2.5 pages of images are cached in memory.

When displaying an image in ImageView, first check if it exists in LruCache. If it does, use the cached image. If not, start a background thread to load the image and cache it:

  1. public void loadBitmap( int resId, ImageView imageView) {
  2. final String imageKey = String.valueOf(resId);
  3. final Bitmap bitmap = getBitmapFromMemCache(imageKey);
  4. if (bitmap != null ) {
  5. mImageView.setImageBitmap(bitmap);
  6. } else {
  7. mImageView.setImageResource(R.drawable.image_placeholder);
  8. BitmapWorkerTask task = new BitmapWorkerTask(mImageView);
  9. task.execute( resId );
  10. }
  11. }

BitmapWorkerTask needs to add the new image to the cache:

  1. class BitmapWorkerTask extends AsyncTask< integer , void,= "" bitmap= "" > {
  2. ...
  3. // Decode image in background.
  4. @Override
  5. protected Bitmap doInBackground( Integer ... params) {
  6. final Bitmap bitmap = decodeSampledBitmapFromResource(
  7. getResources(), params[0], 100, 100));
  8. addBitmapToMemoryCache(String.valueOf(params[0]), bitmap);
  9. return bitmap;
  10. }
  11. ...
  12. }

The next page will introduce you to two other methods of using disk caching and handling configuration change events.

Using disk cache

In accessing recently used images, the memory cache is fast, but you cannot be sure whether the image exists in the cache. Controls such as GridView may have many images to display, and soon the image data fills up the cache capacity.

Your app may also be interrupted by other tasks, such as an incoming phone call - while your app is in the background, the system may clear the image cache. Once the user resumes using your app, you will need to reprocess the images.

In this case, the disk cache can be used to save these processed images. When these images are not available in the memory cache, they can be loaded from the disk cache, thus omitting the image processing process.

Of course, loading images from disk is much slower than reading them from memory, and disk images should be loaded in a non-UI thread.

Note: If cached images are frequently used, consider using a ContentProvider, such as in a gallery application.

There is a simple DiskLruCache implementation in the sample code. However, Android 4.0 includes a more reliable and recommended DiskLruCache (libcore/luni/src/main/java/libcore/io/DiskLruCache.java). You can easily port this implementation to versions prior to 4.0 (check Google to see if others have done this!).

Here is an updated version of DiskLruCache:

  1. private DiskLruCache mDiskCache;
  2. private static final int DISK_CACHE_SIZE = 1024 * 1024 * 10; // 10MB
  3. private static final String DISK_CACHE_SUBDIR = "thumbnails" ;
  4.  
  5. @Override
  6. protected void onCreate(Bundle savedInstanceState) {
  7. ...
  8. //Initialize memory cache
  9. ...
  10. File cacheDir = getCacheDir(this, DISK_CACHE_SUBDIR);
  11. mDiskCache = DiskLruCache.openCache(this, cacheDir, DISK_CACHE_SIZE);
  12. ...
  13. }
  14. class BitmapWorkerTask extends AsyncTask< integer , void,= "" bitmap= "" > {
  15. ...
  16. // Decode image in background.
  17. @Override
  18. protected Bitmap doInBackground( Integer ... params) {
  19. final String imageKey = String.valueOf(params[0]);
  20.  
  21. // Check disk cache in background thread
  22. Bitmap bitmap = getBitmapFromDiskCache(imageKey);
  23.  
  24. if (bitmap == null ) { // Not found in disk cache
  25. // Process as normal
  26. final Bitmap bitmap = decodeSampledBitmapFromResource(
  27. getResources(), params[0], 100, 100));
  28. }
  29. // Add final bitmap to caches
  30. addBitmapToCache(String.valueOf(imageKey, bitmap);
  31.  
  32. return bitmap;
  33. }
  34. ...
  35. }
  36. public void addBitmapToCache(String key , Bitmap bitmap) {
  37. // Add   to memory cache as before
  38. if (getBitmapFromMemCache( key ) == null ) {
  39. mMemoryCache.put( key , bitmap);
  40. }
  41. // Also add   to disk cache
  42. if (!mDiskCache.containsKey( key )) {
  43. mDiskCache.put( key , bitmap);
  44. }
  45. }
  46. public Bitmap getBitmapFromDiskCache(String key ) {
  47. return mDiskCache.get( key );
  48. }
  49. // Creates a unique subdirectory of the designated app cache directory. Tries to use external
  50. // but if not mounted, falls back on internal storage.
  51. public   static File getCacheDir(Context context, String uniqueName) {
  52. // Check if media is mounted or storage is built -in , if so, try and use external cache dir
  53. // otherwise use internal cache dir
  54. final String cachePath = Environment.getExternalStorageState() == Environment.MEDIA_MOUNTED
  55. || !Environment.isExternalStorageRemovable() ?
  56. context.getExternalCacheDir().getPath() : context.getCacheDir().getPath();
  57. return new File(cachePath + File.separator + uniqueName);
  58. }

The memory cache is checked in the UI thread, and the disk cache is checked in the background thread. Disk operations should never be implemented in the UI thread. When the image is processed, the final result is added to both the memory cache and the disk cache for future use.

Handling configuration change events

Configuration changes at runtime — such as a change in screen orientation — cause Android to destroy the running Activity and then restart it using the new configuration (for details, see Handling Runtime Changes).

You need to be careful to avoid reprocessing all images when the configuration changes to improve the user experience.

Fortunately, you already have a good cache of images in the Using Memory Cache section. This cache can be passed to the new Activity via the Fragment (which will be saved via the setRetainInstance(true) method)

When the Activity is restarted, the Fragment is reattached to the Activity, and you can use the Fragment to obtain the cached object.

Here is an example of saving a cache in a Fragment:

  1. private LruCache<string, bitmap= "" > mMemoryCache;
  2. @Override
  3. protected void onCreate(Bundle savedInstanceState) {
  4. ...
  5. RetainFragment mRetainFragment = RetainFragment.findOrCreateRetainFragment(getFragmentManager());
  6. mMemoryCache = RetainFragment.mRetainedCache;
  7. if (mMemoryCache == null ) {
  8. mMemoryCache = new LruCache<string, bitmap= "" >(cacheSize) {
  9. ... // Initialize cache here as usual
  10. }
  11. mRetainFragment.mRetainedCache = mMemoryCache;
  12. }
  13. ...
  14. }
  15. class RetainFragment extends Fragment {
  16. private static final String TAG = "RetainFragment" ;
  17. public LruCache<string, bitmap= "" > mRetainedCache;
  18.  
  19. public RetainFragment() {}
  20. public   static RetainFragment findOrCreateRetainFragment(FragmentManager fm) {
  21. RetainFragment fragment = (RetainFragment) fm.findFragmentByTag(TAG);
  22. if (fragment == null ) {
  23. fragment = new RetainFragment();
  24. }
  25. return fragment;
  26. }
  27. @Override
  28. public void onCreate(Bundle savedInstanceState) {
  29. super.onCreate(savedInstanceState);
  30. <strong>setRetainInstance( true );</strong>
  31. }
  32. }

In addition, you can try to rotate the device's screen direction with and without Fragment to view the specific image loading status.

<<:  Android application memory leak analysis and improvement experience summary

>>:  Research and practice of Android unit testing

Recommend

Marketing promotion analysis: What is the marketing secret of Three Squirrels?

Why has Three Squirrels achieved such success in ...

6 common mistakes made by smart people when it comes to data analysis!

6 common mistakes smart people make when it comes...

[Worth reading] 2016 Global App Development Report!

Today, Cheetah Mobile released the 2016 Global Ap...

2018 JD.com "618" promotion gameplay revealed

This year's " JD 618 " event is qui...

APICloud supports Sublime, Webstorm, and Eclipse to develop cross-platform apps

On September 15, 2015, APICloud released the &quo...

Coca-Cola's new slogan: How to kill the self-discipline villain

Some time ago, Coca-Cola changed its new slogan: ...

Xiaohongshu operation and promotion strategies and content skills!

This article explains the operation of Xiaohongsh...