SDWebImage解析之SDImageCache

SDWebImage是我们最常见的一个第三方库图片缓存库,它提供了UIImageView的一个分类,以支持从远程服务器下载并缓存图片的功能。它具有以下功能:

  • 支持网络图片的异步加载与缓存管理 并具有自动缓存过期处理功能
  • 支持GIF图片
  • 后台图片解压缩处理
  • 确保同一个URL的图片不被下载多次
  • 确保虚假的URL不会被反复加载
  • 确保下载及缓存时,主线程不被阻塞
  • 使用GCD和ARC
  • 支持ARM64

本文将对SDImageCache进行解析,如有分析不到位之处,还请广大读者指出!

SDImageCache维护一个内存缓存和一个可选的磁盘缓存

SDImageCache的实例

 + (SDImageCache *)sharedImageCache
{
    static dispatch_once_t once;
    static id instance;
    dispatch_once(&once, ^{instance = self.new;});
    return instance;
}

初始化方法

  • 默认初始化方法创建一个default名字的缓存文件夹
    - (id)init
    {
    return [self initWithNamespace:@"default"];
    }

  • 用此方法自定义缓存文件夹名字
    - (id)initWithNamespace:(NSString *)ns
    {
    if ((self = [super init]))
    {
    //命名空间
    NSString *fullNamespace = [@"com.hackemist.SDWebImageCache." stringByAppendingString:ns];

        // 创建IO队列
        _ioQueue = dispatch_queue_create("com.hackemist.SDWebImageCache", DISPATCH_QUEUE_SERIAL);
    
        // Init default values  初始化缓存时间(默认最大 一周)
        _maxCacheAge = kDefaultCacheMaxCacheAge;
    
        // Init the memory cache  初始化cache
        _memCache = [[NSCache alloc] init];
        _memCache.name = fullNamespace;
    
        // Init the disk cache  设置本地缓存路径
        NSArray *paths = NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES);
        _diskCachePath = [paths[0] stringByAppendingPathComponent:fullNamespace];
    
        dispatch_sync(_ioQueue, ^
        {
            _fileManager = NSFileManager.new;
        });
      
      //添加观察者对象 处理内存警告时 清空缓存
        #if TARGET_OS_IPHONE
        // Subscribe to app events  清空内存缓存
        [[NSNotificationCenter defaultCenter] addObserver:self
                                               selector:@selector(clearMemory)
                                                   name:UIApplicationDidReceiveMemoryWarningNotification
                                                 object:nil];
        // 清空disk缓存
        [[NSNotificationCenter defaultCenter] addObserver:self
                                               selector:@selector(cleanDisk)
                                                   name:UIApplicationWillTerminateNotification
                                                 object:nil];
      //后台清空disk缓存
        [[NSNotificationCenter defaultCenter] addObserver:self
                                               selector:@selector(backgroundCleanDisk)
                                                   name:UIApplicationDidEnterBackgroundNotification
                                                 object:nil];
        #endif
      }
    return self;
    }
    
  • 清空内存缓存
    - (void)clearMemory
    {
    [self.memCache removeAllObjects];
    }

  • 清空磁盘缓存
    - (void)clearDisk
    {
    dispatch_async(self.ioQueue, ^
    {
    [[NSFileManager defaultManager] removeItemAtPath:self.diskCachePath error:nil];
    [[NSFileManager defaultManager] createDirectoryAtPath:self.diskCachePath
    withIntermediateDirectories:YES
    attributes:nil
    error:NULL];
    });
    }

  • 清空所有过期的磁盘缓存
    - (void)cleanDisk
    {
    dispatch_async(self.ioQueue, ^
    {
    NSFileManager *fileManager = [NSFileManager defaultManager];
    NSURL *diskCacheURL = [NSURL fileURLWithPath:self.diskCachePath isDirectory:YES];
    NSArray *resourceKeys = @[ NSURLIsDirectoryKey, NSURLContentModificationDateKey, NSURLTotalFileAllocatedSizeKey ];

      // This enumerator prefetches useful properties for our cache files.
            NSDirectoryEnumerator *fileEnumerator = [fileManager enumeratorAtURL:diskCacheURL
                                                includingPropertiesForKeys:resourceKeys
                                                                   options:NSDirectoryEnumerationSkipsHiddenFiles
                                                              errorHandler:NULL];
    
            NSDate *expirationDate = [NSDate dateWithTimeIntervalSinceNow:-self.maxCacheAge];
      NSMutableDictionary *cacheFiles = [NSMutableDictionary dictionary];
      unsigned long long currentCacheSize = 0;
    
      // Enumerate all of the files in the cache directory.  This loop has two purposes:
      //
      //  1. Removing files that are older than the expiration date.
      //  2. Storing file attributes for the size-based cleanup pass.
            for (NSURL *fileURL in fileEnumerator)
            {
                NSDictionary *resourceValues = [fileURL resourceValuesForKeys:resourceKeys error:NULL];
    
                // Skip directories.
                if ([resourceValues[NSURLIsDirectoryKey] boolValue])
                {
                    continue;
                }
    
                // Remove files that are older than the expiration date;
                NSDate *modificationDate = resourceValues[NSURLContentModificationDateKey];
                if ([[modificationDate laterDate:expirationDate] isEqualToDate:expirationDate])
                {
                    [fileManager removeItemAtURL:fileURL error:nil];
                    continue;
                }
    
                // Store a reference to this file and account for its total size.
                NSNumber *totalAllocatedSize = reso  urceValues[NSURLTotalFileAllocatedSizeKey];
                currentCacheSize += [totalAllocatedSize unsignedLongLongValue];
                [cacheFiles setObject:resourceValues forKey:fileURL];
            }
    
      // If our remaining disk cache exceeds a configured maximum size, perform a second
      // size-based cleanup pass.  We delete the oldest files first.
            if (self.maxCacheSize > 0 && currentCacheSize > self.maxCacheSize)
            {
          // Target half of our maximum cache size for this cleanup pass.
                const unsigned long long desiredCacheSize = self.maxCacheSize / 2;
    
          // Sort the remaining cache files by their last modification time (oldest first).
                NSArray *sortedFiles = [cacheFiles keysSortedByValueWithOptions:NSSortConcurrent
                                                          usingComparator:^NSComparisonResult(id obj1, id obj2)
                {
                    return [obj1[NSURLContentModificationDateKey] compare:obj2[NSURLContentModificationDateKey]];
          }];
    
                // Delete files until we fall below our desired cache size.
                for (NSURL *fileURL in sortedFiles)
                {
                    if ([fileManager removeItemAtURL:fileURL error:nil])
                    {
                        NSDictionary *resourceValues = cacheFiles[fileURL];
                        NSNumber *totalAllocatedSize = resourceValues[NSURLTotalFileAllocatedSizeKey];
                        currentCacheSize -= [totalAllocatedSize unsignedLongLongValue];
    
                        if (currentCacheSize < desiredCacheSize)
                        {
                            break;
                        }
                    }
                }
            }
        });
    }
    
  • 后台运行时清空磁盘缓存
    - (void)backgroundCleanDisk
    {
    UIApplication *application = [UIApplication sharedApplication];
    __block UIBackgroundTaskIdentifier bgTask = [application beginBackgroundTaskWithExpirationHandler:^
    {
    // Clean up any unfinished task business by marking where you
    // stopped or ending the task outright.
    [application endBackgroundTask:bgTask];
    bgTask = UIBackgroundTaskInvalid;
    }];

        // Start the long-running task and return immediately.
      dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^
        {
            // Do the work associated with the task, preferably in chunks.
             [self cleanDisk];
      
            [application endBackgroundTask:bgTask];
            bgTask = UIBackgroundTaskInvalid;
        });
    } 
    
  • 磁盘高速缓存使用的大小
    - (unsigned long long)getSize;

  • 磁盘缓存的图片数量
    - (int)getDiskCount;

  • 异步计算磁盘高速缓存的大小。
    - (void)calculateSizeWithCompletionBlock:(void (^)(NSUInteger fileCount, unsigned long long totalSize))completionBlock;

  • 检查图像是否存在于缓存了
    - (BOOL)diskImageExistsWithKey:(NSString *)key;

  • 通过key 将image 缓存到内存中
    - (void)storeImage:(UIImage *)image forKey:(NSString *)key

  • 通过key 将image 缓存 toDisk==TRUE 标示缓存到磁盘中 toDisk==FALSE缓存到内存中
    - (void)storeImage:(UIImage *)image forKey:(NSString *)key toDisk:(BOOL)toDisk;

  • 通过key 将image 缓存 image图片 如果data不为nil 则直接缓存data数据 如果data为nil 则将image转为NSData再存储 toDisk==TRUE 标示缓存到磁盘中 toDisk==FALSE缓存到内存中
    - (void)storeImage:(UIImage *)image imageData:(NSData *)data forKey:(NSString *)key toDisk:(BOOL)toDisk;

  • 通过key异步查询磁盘高速缓存
    - (NSOperation *)queryDiskCacheForKey:(NSString *)key done:(void (^)(UIImage *image, SDImageCacheType cacheType))doneBlock;

  • 通过key异步查询内存缓存
    - (UIImage *)imageFromDiskCacheForKey:(NSString *)key;

  • 通过key从磁盘和内存中移除缓存
    - (void)removeImageForKey:(NSString *)key;

  • 通过key从磁盘或内存中移除缓存 fromDisk==TRUE 从磁盘中移除反之从内存中移除
    - (void)removeImageForKey:(NSString *)key fromDisk:(BOOL)fromDisk;

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 203,362评论 5 477
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,330评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 150,247评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,560评论 1 273
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,580评论 5 365
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,569评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 37,929评论 3 395
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,587评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,840评论 1 297
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,596评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,678评论 1 329
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,366评论 4 318
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,945评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,929评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,165评论 1 259
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 43,271评论 2 349
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,403评论 2 342

推荐阅读更多精彩内容