Android image loading: using secondary cache and asynchronous loading of network images

Android image loading: using secondary cache and asynchronous loading of network images

1. Problem Description

Android applications often involve loading a large number of images from the network. In order to improve loading speed and efficiency and reduce network traffic, secondary cache and asynchronous loading mechanisms are used. The so-called secondary cache is to obtain from memory first, then from the file, and then access the network. Memory cache (level 1) is essentially a Map collection that stores the URL and Bitmap information of the image in the form of key-value pairs. Since memory cache will cause heap memory leaks, management is relatively complicated. Third-party components can be used. Experienced users can write components by themselves. File cache is relatively simple and usually can be encapsulated by themselves. Let's take a look at how to optimize network image loading through examples.

2. Case Introduction

List image of case news

3. Main core components

Let's first look at the components written to implement the first-level cache (memory) and the second-level cache (disk file)

1. MemoryCache

To store images in memory (first level cache), a map is used to cache images. The code is as follows:

  1. public   class MemoryCache {
  2. // *** number of caches  
  3. private   static   final   int MAX_CACHE_CAPACITY = 30 ;
  4. //Use the Bitmap object with Map soft reference to ensure that it will not be garbage collected if there is enough memory space  
  5. private HashMap<String, SoftReference<Bitmap>> mCacheMap =
  6. new LinkedHashMap<String, SoftReference<Bitmap>>() {
  7. private   static   final   long serialVersionUID = 1L;
  8. //When the number of cached items exceeds the specified size (return true), the earliest cached items will be cleared.  
  9. protected   boolean removeEldestEntry(
  10. Map.Entry<String,SoftReference<Bitmap>> eldest){
  11. return size() > MAX_CACHE_CAPACITY;};
  12. };
  13.  
  14. /**
  15. * Get the image from the cache
  16. * @param id
  17. * @return If the cache exists and the image has not been released, then return the image, otherwise return null
  18. */  
  19. public Bitmap get(String id){
  20. if (!mCacheMap.containsKey(id)) return   null ;
  21. SoftReference<Bitmap> ref = mCacheMap.get(id);
  22. return ref.get();
  23. }
  24.  
  25. /**
  26. * Add the image to the cache
  27. * @param id
  28. * @param bitmap
  29. */  
  30. public   void put(String id, Bitmap bitmap){
  31. mCacheMap.put(id, new SoftReference<Bitmap>(bitmap));
  32. }
  33. /**
  34. * Clear all caches
  35. */  
  36. public   void clear() {
  37. try {
  38. for (Map.Entry<String,SoftReference<Bitmap>>entry :mCacheMap.entrySet())
  39. { SoftReference<Bitmap> sr = entry.getValue();
  40. if ( null != sr ) {
  41. Bitmap bmp = sr.get();
  42. if ( null != bmp) bmp.recycle();
  43. }
  44. }
  45. mCacheMap.clear();
  46. } catch (Exception e) {
  47. e.printStackTrace();}
  48. }
  49. }
2. FileCache

Cache images on disk (secondary cache), the code is as follows

  1. public   class FileCache {
  2. //Cache file directory  
  3. private File mCacheDir;
  4. /**
  5. * Create a cache file directory. If there is an SD card, use the SD card. If not, use the system's own cache directory.
  6. * @param context
  7. * @param cacheDir The first level directory of the image cache
  8. */  
  9. public FileCache(Context context, File cacheDir, String dir){
  10. if (android.os.Environment.getExternalStorageState().equals, (android.os.Environment.MEDIA_MOUNTED))
  11. mCacheDir = new File(cacheDir, dir);
  12. else  
  13. mCacheDir = context.getCacheDir(); // How to get the system's built-in cache storage path  
  14. if (!mCacheDir.exists()) mCacheDir.mkdirs();
  15. }
  16. public File getFile(String url){
  17. File f= null ;
  18. try {
  19. //Edit the url to solve the Chinese path problem  
  20. String filename = URLEncoder.encode(url, "utf-8" );
  21. f = new File(mCacheDir, filename);
  22. } catch (UnsupportedEncodingException e) {
  23. e.printStackTrace();
  24. }
  25. return f;
  26. }
  27. public   void clear(){ //Clear cache files  
  28. File[] files = mCacheDir.listFiles();
  29. for (File f:files)f.delete();
  30. }
  31. }

3. Write the asynchronous loading component AsyncImageLoader

Android uses a single-threaded model, that is, the application runs in the UI main thread, and Android is a real-time operating system that requires timely response, otherwise an ANR error will occur. Therefore, for time-consuming operations, the UI main thread must not be blocked. It is necessary to start a thread processing (such as image loading in this application) and put the thread into the queue. When the operation is completed, the UI main thread is notified to make changes and the task is removed at the same time - this is an asynchronous task. In Android, asynchrony can be achieved through the AsyncTask used in this series or the thread+handler mechanism. Here it is completely implemented through code writing, so that we can see the essence of the implementation of asynchronous communication more clearly. The code is as follows

  1. public   class AsyncImageLoader{
  2. private MemoryCache mMemoryCache; //Memory cache  
  3. private FileCache mFileCache; //File cache  
  4. private ExecutorService mExecutorService; //thread pool  
  5. //Record the ImageView that has loaded the image  
  6. private Map<ImageView, String> mImageViews = Collections
  7. .synchronizedMap( new WeakHashMap<ImageView, String>());
  8. //Save the url of the image being loaded  
  9. private List<LoadPhotoTask> mTaskQueue = new ArrayList<LoadPhotoTask>();
  10. /**
  11. * By default, a thread pool of size 5 is used
  12. * @param context
  13. * @param memoryCache The cache used
  14. * @param fileCache The file cache used
  15. */  
  16. public AsyncImageLoader(Context context, MemoryCache memoryCache, FileCache fileCache) {
  17. mMemoryCache = memoryCache;
  18. mFileCache = fileCache;
  19. mExecutorService = Executors.newFixedThreadPool( 5 ); //Create a fixed-size thread pool with a capacity of 5 (maximum number of running threads)  
  20. }
  21. /**
  22. * Load the corresponding image according to the URL
  23. * @param url
  24. * @return First get the image from the first-level cache. If there is one, return it directly. If not, get it asynchronously from the file (second-level cache). If not, get it from the network.
  25. */  
  26. public Bitmap loadBitmap(ImageView imageView, String url) {
  27. //First record the ImageView in the Map, indicating that the UI has executed the image loading  
  28. mImageViews.put(imageView, url);
  29. Bitmap bitmap = mMemoryCache.get(url); //Get the image from the first level cache first  
  30. if (bitmap == null ) {
  31. enquequeLoadPhoto(url, imageView); //Get it from the secondary cache and the network  
  32. }
  33. return bitmap;
  34. }
  35.  
  36. /**
  37. * Add to the image download queue
  38. * @param url
  39. */  
  40. private   void enquequeLoadPhoto(String url, ImageView imageView) {
  41. //If the task already exists, do not re-add it  
  42. if (isTaskExisted(url))
  43. return ;
  44. LoadPhotoTask task = new LoadPhotoTask(url, imageView);
  45. synchronized (mTaskQueue) {
  46. mTaskQueue.add(task); //Add the task to the queue  
  47. }
  48. mExecutorService.execute(task); //Submit the task to the thread pool. If the upper limit (5) is not reached, it will run, otherwise it will be blocked.  
  49. }
  50.  
  51. /**
  52. * Determine whether the task already exists in the download queue
  53. * @param url
  54. * @return
  55. */  
  56. private   boolean isTaskExisted(String url) {
  57. if (url == null )
  58. return   false ;
  59. synchronized (mTaskQueue) {
  60. int size = mTaskQueue.size();
  61. for ( int i= 0 ; i<size; i++) {
  62. LoadPhotoTask task = mTaskQueue.get(i);
  63. if (task != null && task.getUrl().equals(url))
  64. return   true ;
  65. }
  66. }
  67. return   false ;
  68. }
  69.  
  70. /**
  71. * Get the image from the cache file or the network
  72. * @param url
  73. */  
  74. private Bitmap getBitmapByUrl(String url) {
  75. File f = mFileCache.getFile(url); //Get the cached image path  
  76. Bitmap b = ImageUtil.decodeFile(f); //Get the Bitmap information of the file  
  77. if (b != null ) //Not empty means the cached file is obtained  
  78. return b;
  79. return ImageUtil.loadBitmapFromWeb(url, f); //Get the image from the same network  
  80. }
  81.  
  82. /**
  83. * Determine whether the ImageView has already loaded the image (can be used to determine whether the image needs to be loaded)
  84. * @param imageView
  85. * @param url
  86. * @return
  87. */  
  88. private   boolean imageViewReused(ImageView imageView, String url) {
  89. String tag = mImageViews.get(imageView);
  90. if (tag == null || !tag.equals(url))
  91. return   true ;
  92. return   false ;
  93. }
  94.  
  95. private   void removeTask(LoadPhotoTask task) {
  96. synchronized (mTaskQueue) {
  97. mTaskQueue.remove(task);
  98. }
  99. }
  100.  
  101. class LoadPhotoTask implements Runnable {
  102. private String url;
  103. private ImageView imageView;
  104. LoadPhotoTask(String url, ImageView imageView) {
  105. this .url = url;
  106. this .imageView = imageView;
  107. }
  108.  
  109. @Override  
  110. public   void run() {
  111. if (imageViewReused(imageView, url)) { //Judge whether ImageView has been reused  
  112. removeTask( this ); //Delete the task if it has been reused  
  113. return ;
  114. }
  115. Bitmap bmp = getBitmapByUrl(url); //Get the image from the cache file or network  
  116. mMemoryCache.put(url, bmp); // Put the image into the first-level cache  
  117. if (!imageViewReused(imageView, url)) { //If ImageView has no image, display the image in the UI thread  
  118. BitmapDisplayer bd = new BitmapDisplayer(bmp, imageView, url); Activity a = (Activity) imageView.getContext();
  119. a.runOnUiThread(bd); //Call the run method of the bd component in the UI thread to load the image for the ImageView control  
  120. }
  121. removeTask( this ); //Remove a task from the queue  
  122. }
  123. public String getUrl() {
  124. return url;
  125. }
  126. }
  127.  
  128. /**
  129. *
  130. *The run method of the component is executed in the UI thread
  131. */  
  132. class BitmapDisplayer implements Runnable {
  133. private Bitmap bitmap;
  134. private ImageView imageView;
  135. private String url;
  136. public BitmapDisplayer(Bitmap b, ImageView imageView, String url) {
  137. bitmap = b;
  138. this .imageView = imageView;
  139. this .url = url;
  140. }
  141. public   void run() {
  142. if (imageViewReused(imageView, url))
  143. return ;
  144. if (bitmap != null )
  145. imageView.setImageBitmap(bitmap);
  146. }
  147. }
  148.  
  149. /**
  150. * Release resources
  151. */  
  152. public   void destroy() {
  153. mMemoryCache.clear();
  154. mMemoryCache = null ;
  155. mImageViews.clear();
  156. mImageViews = null ;
  157. mTaskQueue.clear();
  158. mTaskQueue = null ;
  159. mExecutorService.shutdown();
  160. mExecutorService = null ;
  161. }
  162. }

After writing, it is very convenient to execute asynchronous tasks by simply calling the loadBitmap() method in AsyncImageLoader. It is best to understand the code of the AsyncImageLoader component in combination with the comments, so that you will have a deep understanding of asynchronous communication between threads in Android.

4. Tool class ImageUtil

  1. public   class ImageUtil {
  2. /**
  3. * Get the image from the network and cache it in the specified file
  4. * @param url image url
  5. * @param file cache file
  6. * @return
  7. */  
  8. public   static Bitmap loadBitmapFromWeb(String url, File file) {
  9. HttpURLConnection conn = null ;
  10. InputStream is = null ;
  11. OutputStream os = null ;
  12. try {
  13. Bitmap bitmap = null ;
  14. URL imageUrl = new URL(url);
  15. conn = (HttpURLConnection) imageUrl.openConnection();
  16. conn.setConnectTimeout( 30000 );
  17. conn.setReadTimeout( 30000 );
  18. conn.setInstanceFollowRedirects( true );
  19. is = conn.getInputStream();
  20. os = new FileOutputStream(file);
  21. copyStream(is, os); //Cache the image to disk  
  22. bitmap = decodeFile(file);
  23. return bitmap;
  24. } catch (Exception ex) {
  25. ex.printStackTrace();
  26. return   null ;
  27. finally
  28. try {
  29. if (os != null ) os.close();
  30. if (is != null ) is.close();
  31. if (conn != null ) conn.disconnect();
  32. } catch (IOException e) { }
  33. }
  34. }
  35.  
  36. public   static Bitmap decodeFile(File f) {
  37. try {
  38. return BitmapFactory.decodeStream( new FileInputStream(f), null , null );
  39. catch (Exception e) { }
  40. return   null ;
  41. }
  42. private   static   void copyStream(InputStream is, OutputStream os) {
  43. final   int buffer_size = 1024 ;
  44. try {
  45. byte [] bytes = new   byte [buffer_size];
  46. for (;;) {
  47. int count = is.read(bytes, 0 , buffer_size);
  48. if (count == - 1 )
  49. break ;
  50. os.write(bytes, 0 , count);
  51. }
  52. } catch (Exception ex) {
  53. ex.printStackTrace();
  54. }
  55. }
  56. }

4. Test Application

Timing diagram between components:

1. Write MainActivity

  1. public   class MainActivity extends Activity {
  2. ListView list;
  3. ListViewAdapter adapter;
  4. @Override  
  5. public   void onCreate(Bundle savedInstanceState) {
  6. super .onCreate(savedInstanceState);
  7. setContentView(R.layout.main);
  8. list=(ListView)findViewById(R.id.list);
  9. adapter= new ListViewAdapter( this , mStrings);
  10. list.setAdapter(adapter);
  11. }
  12. public   void onDestroy(){
  13. list.setAdapter( null );
  14. super .onDestroy();
  15. adapter.destroy();
  16. }
  17. private String[] mStrings = {
  18. "http://news.21-sun.com/UserFiles/x_Image/x_20150606083511_0.jpg" ,
  19. "http://news.21-sun.com/UserFiles/x_Image/x_20150606082847_0.jpg" ,
  20. …..};
  21. }

2. Write an adapter

  1. public   class ListViewAdapter extends BaseAdapter {
  2. private Activity mActivity;
  3. private String[] data;
  4. private   static LayoutInflater inflater= null ;
  5. private AsyncImageLoader imageLoader; //Asynchronous component  
  6.  
  7. public ListViewAdapter(Activity mActivity, String[] d) {
  8. this .mActivity=mActivity;
  9. data=d;
  10. inflater = (LayoutInflater)mActivity.getSystemService(
  11. Context.LAYOUT_INFLATER_SERVICE);
  12. MemoryCache mcache = new MemoryCache(); //Memory cache  
  13. File sdCard = android.os.Environment.getExternalStorageDirectory(); //Get SD card  
  14. File cacheDir = new File(sdCard, "jereh_cache" ); //Cache root directory  
  15. FileCache fcache = new FileCache (mActivity, cacheDir, "news_img" ); // file cache  
  16. imageLoader = new AsyncImageLoader(mActivity, mcache,fcache);
  17. }
  18. public   int getCount() {
  19. return data.length;
  20. }
  21. public Object getItem( int position) {
  22. return position;
  23. }
  24. public   long getItemId( int position) {
  25. return position;
  26. }
  27.  
  28. public View getView( int position, View convertView, ViewGroup parent) {
  29. ViewHolder vh = null ;
  30. if (convertView == null ) {
  31. convertView = inflater.inflate(R.layout.item, null );
  32. vh = new ViewHolder();
  33. vh.tvTitle=(TextView)convertView.findViewById(R.id.text);
  34. vh.ivImg=(ImageView)convertView.findViewById(R.id.image);
  35. convertView.setTag(vh);
  36. } else {
  37. vh=(ViewHolder)convertView.getTag();
  38. }
  39. vh.tvTitle.setText( "Title information test————" +position);
  40. vh.ivImg.setTag(data[position]);
  41. // Load the image asynchronously, first from the first-level cache, then from the second-level cache, and then from the network  
  42. Bitmap bmp = imageLoader.loadBitmap(vh.ivImg, data[position]);
  43. if (bmp == null ) {
  44. vh.ivImg.setImageResource(R.drawable.default_big);
  45. } else {
  46. vh.ivImg.setImageBitmap(bmp);
  47. }
  48. return convertView;
  49. }
  50. private   class ViewHolder{
  51. TextView tvTitle;
  52. ImageView ivImg;
  53. }
  54. public   void destroy() {
  55. imageLoader.destroy();
  56. }
  57. }

<<:  Qualities of a Project Leader

>>:  Introduction to ASP.NET 5

Recommend

Sales strategy everyone needs to learn: Sell everything you want to sell

Wang Gang is a practical elite with annual sales ...

How to make a WeChat travel booking app and a scenic spot booking app?

With the rise of WeChat mini-programs, new develo...

How to use IIS to build a website on a VPS server?

For SEO website optimizers, knowing how to build ...

For KOL marketing, just do these 3 things!

In the social media environment, brand marketing ...

Reanalyze advertising and marketing!

As the auxiliary optimization functions of advert...

Dou Jingbo of Suning.com: The evolution of mobile clients

On August 26-27, 2016, the [WOT2016 Mobile Intern...

Finally, it’s clear! Why is it so difficult to improve mobile phone batteries?

From a mini black and white screen with a few pix...

A universal method to improve operations and marketing conversion rates!

Previously, I shared that my favorite growth is r...

Naixue-P8 Million Big Data Architect Phase I

Naixue-P8 Million Big Data Architect Phase I Reso...

Android 13 new features and adaptation development guide

Part 01 Feature Updates 1.1 Application icons sup...