Detailed explanation of Glide life cycle management mechanism for advanced Android source code

Detailed explanation of Glide life cycle management mechanism for advanced Android source code

[[421375]]

This article is reprinted from the WeChat public account "Android Development Programming", the author is Android Development Programming. Please contact the Android Development Programming public account for reprinting this article.

Preface

We have analyzed the glide cache strategy;

We have also analyzed the glide loading process in the previous article;

So this time let's analyze the details of Glide life cycle management

1. Detailed explanation of the Glide life cycle principle

  1. Glide.with ( this)
  2. // .asBitmap()//Only static images are allowed to be loaded. If a gif image is passed in, the first frame will be displayed (before loading )
  3. // .asGif()//Specify the gif format (before loading )
  4. // .asDrawable()//Specify the drawable format (before loading )
  5. .load (imageUrl) // URL address of the loaded image
  6. .placeholder(R.drawable.ic_placeholder)//Placeholder image
  7. .error(R.drawable.ic_error) // Error picture
  8. .transition(GenericTransitionOptions. with (R.anim.zoom_in)) //Picture animation
  9. .override(800,800) //Set loading size
  10. .skipMemoryCache( true ) //Disable memory cache function
  11. .diskCacheStrategy(DiskCacheStrategy.NONE) //Do not cache anything
  12. // .diskCacheStrategy(DiskCacheStrategy.DATA)//Only cache the original image
  13. // .diskCacheStrategy(DiskCacheStrategy.RESOURCE)//Only cache converted images
  14. // .diskCacheStrategy(DiskCacheStrategy. ALL )//Cache all
  15. // .diskCacheStrategy(DiskCacheStrategy.AUTOMATIC)//Glide intelligently chooses which cache strategy to use based on image resources (default)
  16. .listener(new RequestListener<Drawable>() {//Listen to the image loading status
  17. //Image loading completed
  18. @Override
  19. public boolean onLoadFailed(@Nullable GlideException e, Object model, Target<Drawable> target, boolean isFirstResource) {
  20. return   false ;
  21. }
  22. //Image loading failed
  23. @Override
  24. public boolean onResourceReady(Drawable resource, Object model, Target<Drawable> target, DataSource dataSource, boolean isFirstResource) {
  25. return   false ;
  26. }
  27. })
  28. . into (imageView); //Where the image will eventually be displayed

1. Glide.with(this)

The with method can accept different types of Context, Activity, FragmentActivity, Fragment and View

  1. private static volatile Glide glide;
  2. public   static Glide get(@NonNull Context context) {
  3. if (glide == null ) {
  4. synchronized (Glide.class) {
  5. if (glide == null ) {
  6. checkAndInitializeGlide(context);
  7. }
  8. }
  9. }
  10. return glide;
  11. }

The double-check singleton pattern (DCL) ensures the uniqueness of the Glide object. Glide is initialized in the get method, and a GlideBuilder object is created through the builder pattern (resource request thread pool, local cache loading thread pool, animation thread pool, memory cache, disk cache tool, etc.);

After constructing RequestManagerRetriever, return a RequestManager through get (taking Activity as an example);

  1. //Get RequestManager through Activity
  2. public RequestManager get(@NonNull Activity activity) {
  3. if (Util.isOnBackgroundThread()) {
  4. //If it is a child thread, use the Application level context, that is, no life cycle management
  5. return get(activity.getApplicationContext());
  6. } else {
  7. // Check if the Activity is destroyed
  8. assertNotDestroyed(activity)
  9. //Get the FragmentManager of the current Activity
  10. android.app.FragmentManager fm = activity.getFragmentManager();
  11. //Generate a Fragment to bind a request manager RequestManager
  12. return fragmentGet(
  13. activity, fm, /*parentHint=*/ null , isActivityVisible(activity));
  14. }
  15. }

If the current thread is a child thread, there is no need to manage the Glide life cycle. Otherwise, create a fragment through the fragmentGet function:

  1. private RequestManager fragmentGet(@NonNull Context context,
  2. @NonNull android.app.FragmentManager fm,
  3. @Nullable android.app.Fragment parentHint,
  4. boolean isParentVisible) {
  5. //①Add a Fragment to the current Activity to manage the request life cycle
  6. RequestManagerFragment current = getRequestManagerFragment(fm, parentHint, isParentVisible);
  7. //Get RequestManager
  8. RequestManager requestManager = current .getRequestManager();
  9. //If RequestManager does not exist, create it
  10. if (requestManager == null ) {
  11. Glide glide = Glide.get(context);
  12. //②Build RequestManager
  13. // current .getGlideLifecycle() is the ActivityFragmentLifecycle, which is the ActivityFragmentLifecycle in the fragment that will be passed in when building RequestManager
  14. requestManager =
  15. factory.build(
  16. glide, current .getGlideLifecycle(), current .getRequestManagerTreeNode(), context);
  17. //Bind the constructed RequestManager to the fragment
  18. current .setRequestManager(requestManager);
  19. }
  20. //Return the manager of the current request
  21. return requestManager;
  22. }

2. Binding of Fragment and Activity -> getRequestManagerFragment:

  1. private RequestManagerFragment getRequestManagerFragment(
  2. @NonNull final android.app.FragmentManager fm,
  3. @Nullable android.app.Fragment parentHint,
  4. boolean isParentVisible) {
  5. //Get the instantiated fragment through TAG (that is, the same Activity Glide. with multiple times, there is no need to create multiple fragments)
  6. RequestManagerFragment current = (RequestManagerFragment) fm.findFragmentByTag(FRAGMENT_TAG);
  7. if ( current == null ) {
  8. //If the current Activity does not have a fragment for managing the lifecycle, then get it from the cache
  9. current = pendingRequestManagerFragments.get(fm);
  10. if ( current == null ) {
  11. //If there is no cache, just create a new one
  12. current = new RequestManagerFragment();
  13. current .setParentFragmentHint(parentHint);
  14. if (isParentVisible) {
  15. //Execute the request
  16. current .getGlideLifecycle().onStart();
  17. }
  18. //Add to Map cache (to prevent duplicate creation of fragments)
  19. pendingRequestManagerFragments.put(fm, current );
  20. //Bind the fragment to the activity
  21. fm.beginTransaction(). add ( current , FRAGMENT_TAG).commitAllowingStateLoss();
  22. //Send and clear cache after adding
  23. handler.obtainMessage(ID_REMOVE_FRAGMENT_MANAGER, fm).sendToTarget();
  24. }
  25. }
  26. return   current ;
  27. }

3. Build RequestManager and set up monitoring

  1. //This factory is to construct the RequestManager object
  2. private static final RequestManagerFactory DEFAULT_FACTORY = new RequestManagerFactory() {
  3. @NonNull
  4. @Override
  5. public RequestManager build(@NonNull Glide glide, @NonNull Lifecycle lifecycle,
  6. @NonNull RequestManagerTreeNode requestManagerTreeNode, @NonNull Context context) {
  7. //Instantiate a RequestManager
  8. return new RequestManager(glide, lifecycle, requestManagerTreeNode, context);
  9. }
  10. };
  11. public class RequestManager implements LifecycleListener,
  12. ModelTypes<RequestBuilder<Drawable>> {
  13. RequestManager(
  14. Glide glide,
  15. Lifecycle lifecycle,
  16. RequestManagerTreeNode treeNode,
  17. RequestTracker requestTracker,
  18. ConnectivityMonitorFactory factory,
  19. Context context) {
  20. this.glide = glide;
  21. this.lifecycle = lifecycle;
  22. this.treeNode = treeNode;
  23. this.requestTracker = requestTracker;
  24. this.context = context;
  25. connectivityMonitor =
  26. factory.build(
  27. context.getApplicationContext(),
  28. new RequestManagerConnectivityListener(requestTracker));
  29. //Add life cycle monitoring
  30. if (Util.isOnBackgroundThread()) {
  31. //The child thread registers the current object to ActivityFragmentLifecycle through the handler
  32. mainHandler.post(addSelfToLifecycle);
  33. } else {
  34. //Register the current object to ActivityFragmentLifecycle
  35. lifecycle.addListener(this);
  36. }
  37. //Add a listener for network changes
  38. lifecycle.addListener(connectivityMonitor);
  39. defaultRequestListeners =
  40. new CopyOnWriteArrayList<>(glide.getGlideContext().getDefaultRequestListeners());
  41. setRequestOptions(glide.getGlideContext().getDefaultRequestOptions());
  42. glide.registerRequestManager(this);
  43. }
  44. //...
  45. //RequestManager implements the fragment life cycle callback
  46. @Override
  47. public synchronized void onStart() {
  48. resumeRequests();
  49. targetTracker.onStart();
  50. }
  51. @Override
  52. public synchronized void onStop() {
  53. pauseRequests();
  54. targetTracker.onStop();
  55. }
  56. @Override
  57. public synchronized void onDestroy() {
  58. targetTracker.onDestroy();
  59. for (Target<?> target : targetTracker.getAll()) {
  60. clear(target);
  61. }
  62. targetTracker.clear();
  63. requestTracker.clearRequests();
  64. lifecycle.removeListener(this);
  65. lifecycle.removeListener(connectivityMonitor);
  66. mainHandler.removeCallbacks(addSelfToLifecycle);
  67. glide.unregisterRequestManager(this);
  68. }
  69. }

When building RequestManager, the life cycle of RequestManager is associated with Fragment;

4. Fragment is attached to Activity, so the life cycle of Activity is in Fragment. Next, let's look at RequestManagerFragment:

  1. public class RequestManagerFragment extends Fragment {
  2. //The key to the life cycle is ActivityFragmentLifecycle
  3. private final ActivityFragmentLifecycle lifecycle;
  4. public RequestManagerFragment() {
  5. this(new ActivityFragmentLifecycle());
  6. }
  7. RequestManagerFragment(@NonNull ActivityFragmentLifecycle lifecycle) {
  8. this.lifecycle = lifecycle;
  9. }
  10. @Override
  11. public void onStart() {
  12. super.onStart();
  13. lifecycle.onStart();
  14. }
  15. @Override
  16. public void onStop() {
  17. super.onStop();
  18. lifecycle.onStop();
  19. }
  20. @Override
  21. public void onDestroy() {
  22. super.onDestroy();
  23. lifecycle.onDestroy();
  24. unregisterFragmentWithRoot();
  25. }
  26. //...
  27. }

The key to the life cycle lies in the lifecycle. When the Fragment life cycle changes, it will actively notify the lifecycle to execute the corresponding method;

Next, look at ActivityFragmentLifecycle:

  1. class ActivityFragmentLifecycle implements Lifecycle {
  2. //When the Fragment life cycle changes, all its Listeners will be notified
  3. private final Set <LifecycleListener> lifecycleListeners =
  4. Collections.newSetFromMap(new WeakHashMap<LifecycleListener, Boolean>());
  5. private boolean isStarted;
  6. private boolean isDestroyed;
  7. @Override
  8. public void addListener(@NonNull LifecycleListener listener) {
  9. lifecycleListeners.add (listener) ;
  10. if (isDestroyed) {
  11. listener.onDestroy();
  12. } else if (isStarted) {
  13. listener.onStart();
  14. } else {
  15. listener.onStop();
  16. }
  17. }
  18. @Override
  19. public void removeListener(@NonNull LifecycleListener listener) {
  20. lifecycleListeners.remove(listener);
  21. }
  22. void onStart() {
  23. isStarted = true ;
  24. for (LifecycleListener lifecycleListener : Util.getSnapshot(lifecycleListeners)) {
  25. lifecycleListener.onStart();
  26. }
  27. }
  28. void onStop() {
  29. isStarted = false ;
  30. for (LifecycleListener lifecycleListener : Util.getSnapshot(lifecycleListeners)) {
  31. lifecycleListener.onStop();
  32. }
  33. }
  34. void onDestroy() {
  35. isDestroyed = true ;
  36. for (LifecycleListener lifecycleListener : Util.getSnapshot(lifecycleListeners)) {
  37. lifecycleListener.onDestroy();
  38. }
  39. }
  40. }

This ActivityFragmentLifecycle holds a lifecycleListeners, which notifies all its Listeners when the Fragment lifecycle changes.

Glide.with(this) binds the lifecycle of the Activity. A new UI-less Fragment is created in the Activity. This Fragment holds a Lifecycle, and the Lifecycle notifies the RequestManager to perform related operations at the key lifecycles of the Fragment. The loading continues during onStart of the lifecycle, the loading is paused during onStop, and the loading task and clearing operations are stopped during onDestory.

2. How does Glide monitor network changes

When constructing RequestManager, add a listener for network changes through lifecycle.addListener(connectivityMonitor);. Changes in the Fragment lifecycle will notify the corresponding method in the default implementation class DefaultConnectivityMonitor. RegisterReceiver in onStart (register to listen to the broadcast of mobile network changes), and unregisterReceiver in onStop. Restart the request after the network is reconnected.

  1. final class DefaultConnectivityMonitor implements ConnectivityMonitor {
  2. private static final String TAG = "ConnectivityMonitor" ;
  3. private final Context context;
  4. @SuppressWarnings( "WeakerAccess" ) @Synthetic final ConnectivityListener listener;
  5. @SuppressWarnings( "WeakerAccess" ) @Synthetic boolean isConnected;
  6. private boolean isRegistered;
  7. private final BroadcastReceiver connectivityReceiver = new BroadcastReceiver() {
  8. @Override
  9. public void onReceive(@NonNull Context context, Intent intent) {
  10. boolean wasConnected = isConnected;
  11. //Judge the network status
  12. isConnected = isConnected(context);
  13. if (wasConnected != isConnected) {
  14. if (Log.isLoggable(TAG, Log.DEBUG)) {
  15. Log.d(TAG, "connectivity changed, isConnected: " + isConnected);
  16. }
  17. listener.onConnectivityChanged(isConnected);
  18. }
  19. }
  20. };
  21. DefaultConnectivityMonitor(@NonNull Context context, @NonNull ConnectivityListener listener) {
  22. this.context = context.getApplicationContext();
  23. this.listener = listener;
  24. }
  25. private void register() {
  26. if (isRegistered) {
  27. return ;
  28. }
  29. // Initialize isConnected.
  30. isConnected = isConnected(context);
  31. try {
  32. // See #1405
  33. context.registerReceiver(connectivityReceiver,
  34. new IntentFilter(ConnectivityManager.CONNECTIVITY_ACTION));
  35. isRegistered = true ;
  36. } catch (SecurityException e) {
  37. // See #1417, registering the receiver can throw SecurityException.
  38. if (Log.isLoggable(TAG, Log.WARN)) {
  39. Log.w(TAG, "Failed to register" , e);
  40. }
  41. }
  42. }
  43. private void unregister() {
  44. if (!isRegistered) {
  45. return ;
  46. }
  47. context.unregisterReceiver(connectivityReceiver);
  48. isRegistered = false ;
  49. }
  50. @SuppressWarnings( "WeakerAccess" )
  51. @Synthetic
  52. // Permissions are checked in the factory instead .
  53. @SuppressLint( "MissingPermission" )
  54. boolean isConnected(@NonNull Context context) {
  55. ConnectivityManager connectivityManager =
  56. Preconditions.checkNotNull(
  57. (ConnectivityManager) context.getSystemService(Context.CONNECTIVITY_SERVICE));
  58. NetworkInfo networkInfo;
  59. try {
  60. networkInfo = connectivityManager.getActiveNetworkInfo();
  61. } catch (RuntimeException e) {
  62. if (Log.isLoggable(TAG, Log.WARN)) {
  63. Log.w(TAG, "Failed to determine connectivity status when connectivity changed" , e);
  64. }
  65. // Default   to   true ;
  66. return   true ;
  67. }
  68. return networkInfo != null && networkInfo.isConnected();
  69. }
  70. @Override
  71. public void onStart() {
  72. register();
  73. }
  74. @Override
  75. public void onStop() {
  76. unregister();
  77. }
  78. @Override
  79. public void onDestroy() {
  80. // Do nothing.
  81. }
  82. }

Call back ConnectivityListener's onConnectivityChanged to handle the request

  1. private class RequestManagerConnectivityListener
  2. implements ConnectivityMonitor.ConnectivityListener {
  3. @GuardedBy( "RequestManager.this" )
  4. private final RequestTracker requestTracker;
  5. RequestManagerConnectivityListener(@NonNull RequestTracker requestTracker) {
  6. this.requestTracker = requestTracker;
  7. }
  8. @Override
  9. public void onConnectivityChanged(boolean isConnected) {
  10. if (isConnected) {
  11. synchronized (RequestManager.this) {
  12. //Restart request after network reconnection
  13. requestTracker.restartRequests();
  14. }
  15. }
  16. }
  17. }

Summarize

1. Glide features:

  • Ease of use
  • Highly configurable and adaptable
  • Support common image formats (jpg, png, gif, webp)
  • Support multiple data sources (network, local, resources, Assets, etc.)
  • Efficient caching strategy (supports Memory and Disk image caching, the default Bitmap format uses RGB_565 with small memory)
  • Lifecycle integration (automatically manage requests based on the Activity/Fragment lifecycle)
  • Efficiently process Bitmap (use BitmapPool to reuse Bitmap, and actively call recycle to recycle the Bitmap that needs to be recycled)

2. There are still many knowledge points about Glide, and we will continue to summarize and share them with you.

<<:  WeChat iOS 8.0.13 official version released: the installation package has become smaller

>>:  Apple will allow "reader" apps to provide external links next year, which has been questioned by many developers

Recommend

Can bidding software analyze the sources of malicious clicks in Baidu bidding?

Basically, it is impossible to analyze it, and we...

Tik Tok account monetization strategy!

Now that you have fans and traffic, how do you mo...

4 Effective Strategies to Increase App User Engagement

The definition of user engagement varies from pro...

See what programmers are reading in September

In September, everyone focused on the official re...

Xiaohongshu ROI marketing strategy!

During the process of launching a brand on Xiaoho...

Copywriting skills: 16 common UI copywriting mistakes

There are many techniques in copywriting design, ...

2 ways to optimize conversation structure with oCPC!

How to control traffic under oCPC smart bidding? ...

For an in-depth analysis of oCPC, just read this article!

I have wanted to talk to you about conversion bid...

The growth caused by one sentence of copywriting and the logical code behind it

Sometimes a piece of copy can achieve unexpected ...