iOS Development - Do you really know how to use SDWebImage?

iOS Development - Do you really know how to use SDWebImage?

[[166005]]

SDWebImage is currently the most popular third-party framework for image downloading and is used very frequently. But do you really know how to use it? This article will analyze how to use SDWebImage reasonably through examples.

Usage scenario: There are pictures to be displayed on the custom UITableViewCell. When the network status is WiFi, the high-definition picture should be displayed; when the network status is cellular mobile network, the picture thumbnail should be displayed. The following figure shows an example:

The pictures shown in the figure meet the download requirements according to the network status

  • Since the network status needs to be monitored, I recommend using AFNetWorking here.

1) Import the third-party framework AFNetWorking into the project on GitHub or using cocoaPod.

2) Listen to the network status in the application:didFinishLaunchingWithOptions: method in the AppDelegate.m file.

  1. // In the AppDelegate.m file
  2. - (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
  3. {
  4. // Monitor network status
  5. [[AFNetworkReachabilityManager sharedManager] startMonitoring];
  6. }
  7. // The following code is used in the method that needs to monitor the network status
  8. AFNetworkReachabilityManager * mgr = [AFNetworkReachabilityManager sharedManager];
  9. if (mgr.isReachableViaWiFi) { // Using Wifi, download the original image
  10. } else { // Others, download thumbnails
  11. }
  12. }
  • At this time, some iOS learners will start to complain: Isn’t this very simple? So they wrote the following code in no time.

    1. // Using MVC, download the image when setting the cell's model properties
    2. - setItem:(CustomItem *)item
    3. {
    4. _item = item;
    5. UIImage * placeholder = [UIImage imageNamed:@"placeholderImage"];
    6. AFNetworkReachabilityManager * mgr = [AFNetworkReachabilityManager sharedManager];
    7. if (mgr.isReachableViaWiFi) { // Using Wifi, download the original image
    8. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
    9. } else { // Others, download thumbnails
    10. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.thumbnailImage] placeholderImage:placeholder];
    11. }
    12. }
  • At this point, it is indeed possible to download the corresponding images according to the current network status, but in real development, this is actually unreasonable. The following are the details that need attention:

1) SDWebImage will automatically help developers cache images (including memory cache and sandbox cache), so we need to set the high-definition images that users download in a WiFi environment. The next time you open the app in a cellular network state, the high-definition images should also be displayed instead of downloading thumbnails.

2) Many application settings modules have a function: still display high-definition images under mobile network environment. This function actually records the settings in the sandbox. For information about saving data locally, you can refer to my other article on the homepage of Jianshu: iOS local data access. Just read here.

3) When the user is offline, the business cannot be handled properly.

  • So, I started to improve it. To make it easier for you, the reader, to understand, I will post the pseudo code first:

    1. - setItem:(CustomItem *)item
    2. {
    3. _item = item;
    4. if (there is an original image in the cache)
    5. {
    6. self.imageView.image = original image;
    7. } else
    8. {
    9. if (Wifi environment)
    10. {
    11. Download to display the original image
    12. } else if (mobile phone has built-in network)
    13. {
    14. if (still download the original image in 3G\4G environment)
    15. {
    16. Download to display the original image
    17. } else
    18. {
    19. Download thumbnail
    20. }
    21. } else
    22. {
    23. if (there is a thumbnail in the cache)
    24. {
    25. self.imageView.image = thumbnail;
    26. } else // Handle offline status
    27. {
    28. self.imageView.image = placeholder image;
    29. }
    30. }
    31. }
    32. }
  • Implement the pseudocode above: Readers can correspond to the pseudocode above one by one. When practicing, it is recommended to write pseudocode first, then write real code

  • Pay more attention to the "Notes" explanations.

  1. - setItem:(CustomItem *)item
  2. {
  3. _item = item;
  4. // Placeholder image
  5. UIImage * placeholder = [UIImage imageNamed:@"placeholderImage"];
  6. // Get the original image from the memory\sandbox cache,
  7. UIImage * originalImage = [[SDImageCache sharedImageCache] imageFromDiskCacheForKey:item.originalImage];
  8. if (originalImage) { // If the original image is in the memory\sandbox cache, then display the original image directly (regardless of the current network status)
  9. self.imageView.image = originalImage ;
  10. } else { // Memory\Sandbox cache does not have the original image
  11. AFNetworkReachabilityManager * mgr = [AFNetworkReachabilityManager sharedManager];
  12. if (mgr.isReachableViaWiFi) { // Using Wifi, download the original image
  13. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
  14. } else if (mgr.isReachableViaWWAN) { // Using the mobile phone's built-in network
  15. // The user's configuration items are assumed to be stored in the sandbox using NSUserDefaults
  16. // [[NSUserDefaults standardUserDefaults] setBool:NO forKey:@"alwaysDownloadOriginalImage"];
  17. // [[NSUserDefaults standardUserDefaults] synchronize];
  18. #warning Read the user's configuration item from the sandbox: whether to still download the original image in a 3G\4G environment
  19. BOOL alwaysDownloadOriginalImage = [[NSUserDefaults standardUserDefaults] boolForKey:@"alwaysDownloadOriginalImage"];
  20. if (alwaysDownloadOriginalImage) { // Download the original image
  21. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
  22. } else { // Download thumbnails
  23. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.thumbnailImage] placeholderImage:placeholder];
  24. }
  25. } else { // No network
  26. UIImage * thumbnailImage = [[SDImageCache sharedImageCache] imageFromDiskCacheForKey:item.thumbnailImage];
  27. if (thumbnailImage) { // There is a thumbnail in the memory\sandbox cache
  28. self.imageView.image = thumbnailImage ;
  29. } else { // Handle offline state and the situation when there is no cache
  30. self.imageView.image = placeholder ;
  31. }
  32. }
  33. }
  34. }

Solved? The real pit has just begun.

  • Before describing the pitfalls of the above code, let's first analyze the caching mechanism of UITableViewCell.

  • Please see the figure below: there is a tableView that is displaying three UITableViewCells at the same time. Each tableViewCell contains an imageView subcontrol, and each cell has a corresponding model property used to set the image content of the imageView.

  • Note: Since no cell is pushed off the screen, the buffer pool is empty at this time.

The cell has not yet been pushed into the cache pool

When a cell is pushed off the screen, the system will automatically put the cell into the automatic cache pool. Note: The UIImage image data model corresponding to the cell is not cleared! It still points to the last used cell.

The cell is put into the cache pool

When the next cell enters the screen, the system will find the corresponding cell according to the identifier registered by the tableView and use it. The cell that entered the cache pool is added back to the tableView, and the model data corresponding to the cell is set in the tableView's Data Source method tableView: cellForRowAtIndexPath:. The corresponding cell is shown in the figure below:

The cell is put into the cache pool

  • The above is a brief introduction to the tableView reuse mechanism.

Coming back to the topic above, where is the real pitfall?

Let's use a scenario to describe it: When the WiFi speed in the user's environment is not fast enough (the image cannot be downloaded immediately), and in the above code, a high-definition image is downloaded in the WiFi environment. So it takes a certain amount of time to complete the download. At this time, the user does not want to wait and wants to see the image displayed when the App was last opened. At this time, the user will slide to the cell below to view it. Note: At this time, the download operation of the cell above is not paused and is still in the downloading state. When the user is viewing the displayed image of the last time the App was opened (the image downloaded last time the App was opened, SDWebImage will help us cache it, without downloading it), and the cell that needs to display the image when the App was opened last time is a cell taken from the cache pool using the tableView reuse mechanism. When the high-definition image of the cell above has been downloaded, the default practice of SDWebImage is to immediately set the downloaded image to ImageView, so we will display the image above in the cell displayed below, causing data confusion, which is a very serious BUG.

So how to solve this thorny problem?

If we can remove the download operation before putting the cell into the cache pool when the cell is taken out of the cache pool for use, there will be no data confusion.

At this point you might ask me: How do I remove the download operation? Isn't the download operation done for us by SDWebImage?

That's right, it is SDWebImage that helps us download pictures. Let's take a look at the SDWebImage source code to see how it is done.

  1. - (void)sd_setImageWithURL:(NSURL *)url placeholderImage:(UIImage *)placeholder options:(SDWebImageOptions)options progress:(SDWebImageDownloaderProgressBlock)progressBlock completed:(SDWebImageCompletionBlock)completedBlock {
  2. // Close the download operation of the current image
  3. [self sd_cancelCurrentImageLoad];
  4. objc_setAssociatedObject(self, &imageURLKey, url, OBJC_ASSOCIATION_RETAIN_NONATOMIC);
  5. if (!(options & SDWebImageDelayPlaceholder)) {
  6. dispatch_main_async_safe(^{
  7. self.image = placeholder ;
  8. });
  9. }
  10. if (url) {
  11. // check if activityView is enabled or not
  12. if ([self showActivityIndicatorView]) {
  13. [self addActivityIndicator];
  14. }
  15. __weak __typeof(self) wself = self;
  16. id operation = [SDWebImageManager.sharedManager downloadImageWithURL:url options:options progress:progressBlock completed:^(UIImage *image, NSError *error, SDImageCacheType cacheType, BOOL finished, NSURL *imageURL) {
  17. [wself removeActivityIndicator];
  18. if (!wself) return;
  19. dispatch_main_sync_safe(^{
  20. if (!wself) return;
  21. if (image && (options & SDWebImageAvoidAutoSetImage) && completedBlock)
  22. {
  23. completedBlock(image, error, cacheType, url);
  24. return;
  25. }
  26. else if (image) {
  27. wself.image = image;
  28. [wself setNeedsLayout];
  29. } else {
  30. if ((options & SDWebImageDelayPlaceholder)) {
  31. wself.image = placeholder ;
  32. [wself setNeedsLayout];
  33. }
  34. }
  35. if (completedBlock && finished) {
  36. completedBlock(image, error, cacheType, url);
  37. }
  38. });
  39. }];
  40. [self sd_setImageLoadOperation:operation forKey:@"UIImageViewImageLoad"];
  41. } else {
  42. dispatch_main_async_safe(^{
  43. [self removeActivityIndicator];
  44. if (completedBlock) {
  45. NSError * error = [NSError errorWithDomain:SDWebImageErrorDomain code:-1 userInfo:@{NSLocalizedDescriptionKey : @"Trying to load a nil url"}];
  46. completedBlock(nil, error, SDImageCacheTypeNone, url);
  47. }
  48. });
  49. }
  50. }

We were surprised to find that when SDWebImage downloads a picture, the first thing it does is to close the current download operation of imageView!

Are you beginning to marvel at how amazing SDWebImage is? That's right, we just need to use SDWebImage to set up all the direct access to local cache code in the code we wrote!

Here is the finished code.

  1. - setItem:(CustomItem *)item
  2. {
  3. _item = item;
  4. // Placeholder image
  5. UIImage * placeholder = [UIImage imageNamed:@"placeholderImage"];
  6. // Get the original image from the memory\sandbox cache
  7. UIImage * originalImage = [[SDImageCache sharedImageCache] imageFromDiskCacheForKey:item.originalImage];
  8. if (originalImage) { // If the original image is in the memory\sandbox cache, then display the original image directly (regardless of the current network status)
  9. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
  10. } else { // Memory\Sandbox cache does not have the original image
  11. AFNetworkReachabilityManager * mgr = [AFNetworkReachabilityManager sharedManager];
  12. if (mgr.isReachableViaWiFi) { // Using Wifi, download the original image
  13. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
  14. } else if (mgr.isReachableViaWWAN) { // Using the mobile phone's built-in network
  15. // The user's configuration items are assumed to be stored in the sandbox using NSUserDefaults
  16. // [[NSUserDefaults standardUserDefaults] setBool:NO forKey:@"alwaysDownloadOriginalImage"];
  17. // [[NSUserDefaults standardUserDefaults] synchronize];
  18. #warning Read the user's configuration item from the sandbox: whether to still download the original image in a 3G\4G environment
  19. BOOL alwaysDownloadOriginalImage = [[NSUserDefaults standardUserDefaults] boolForKey:@"alwaysDownloadOriginalImage"];
  20. if (alwaysDownloadOriginalImage) { // Download the original image
  21. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.originalImage] placeholderImage:placeholder];
  22. } else { // Download thumbnails
  23. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.thumbnailImage] placeholderImage:placeholder];
  24. }
  25. } else { // No network
  26. UIImage * thumbnailImage = [[SDImageCache sharedImageCache] imageFromDiskCacheForKey:item.thumbnailImage];
  27. if (thumbnailImage) { // There is a thumbnail in the memory\sandbox cache
  28. [self.imageView sd_setImageWithURL:[NSURL URLWithString:item.thumbnailImage] placeholderImage:placeholder];
  29. } else {
  30. [self.imageView sd_setImageWithURL:nil placeholderImage:placeholder];
  31. }
  32. }
  33. }
  34. }

This article ends here. If you have any questions or errors, please point them out.

<<:  Nine blogs to watch for hybrid mobile app developers

>>:  Open source, SaaS and API, who will be the final winner?

Recommend

Xiaohongshu product analysis report!

Since its establishment in 2013, Xiaohongshu has ...

My boyfriend gave me a blessing from an African muscle man

Since its establishment, Lao Wang's placard-h...

168.2 billion, behind the glamour, how long can the Double Eleven carnival last?

168.2 billion. Alibaba achieved its Double Eleven...

How can the copywriting impress the client? You have to get market thinking

Copywriting cannot solve problems, but copywritin...

Reference for advertising data in various channels in the tourism industry!

Industry: Tourism industry Business products: Tou...

The universal formula for Xiaohongshu's popular articles

Whether a big hit is a matter of luck, but whethe...

Xiaohongshu "Product Operation" Analysis: How to guide new users to register?

Today’s article is the first in a series of artic...

APP planning and promotion: the birth of an event operation planning program!

For companies, activities are a very important me...