缓存库 -- LBCacheManager

缓存库介绍:

LBCacheManager库把数据通过文件管理(NSFileManager)类,存放在沙盒中,并运用NSCache做磁 盘上的内存。支持存取图片,存取数据(模型必需遵守NSCoding协议),清除全部或者单个缓存,获得全部或者单个缓存的大小(字节数),缓存的总个数以及可以缓存的个数时间。

#import <Foundation/Foundation.h>
#import <UIKit/UIKit.h>


@interface LBCacheManager : NSObject

// 默认缓存过期时间无限,可设置默认缓存时长(秒)
@property (nonatomic, assign) NSTimeInterval cacheTime;

// 内存中最大保存个数,默认为5
@property (nonatomic, assign) NSInteger cacheLimit;

//单例
+ (LBCacheManager *)sharedManager;

//获取所有的key
- (NSArray *)allKeys;

//判断key是否在缓存中
- (BOOL)hasCahceForKey:(NSString *)key;

//缓存的数量
- (NSUInteger)getAllCacheCount;

//缓存的总大小
- (unsigned long long) getAllCacheSize;

//某个缓存的大小
- (unsigned long long) getSingleCacheSizeForKey:(NSString *)key;

//清除所有缓存
- (void)clearAllCache;

//清除内存中的缓存
- (void)clearMemoryCache;

//清除某个缓存
- (void)removeCacheForKey:(NSString *)key;


/////////////////////图片缓存/////////////////////////////////

//根据key获得缓存图片
- (UIImage *)readImageObjectForKey:(NSString *)key;

//根据key缓存图片
- (void)setImage:(UIImage *)image forKey:(NSString *)key;

//根据key和时间缓存图片
- (void)setImage:(UIImage *)image forKey:(NSString *)key withTimeInterval:(NSTimeInterval)timeoutInterval;

///////////////////数据模型缓存(模型必需遵守NSCoding协议)/////////

//根据key获得缓存数据
- (id)readObjectForkey:(NSString *)key;

//根据key缓存数据
- (void)setObectValue:(id)value forKey:(NSString *)key;

//根据key和时间缓存数据
- (void)setObectValue:(id)value forKey:(NSString *)key withTimeInterval:(NSTimeInterval)timeoutInterval;

@end

LBCacheManager.m 文件中

#import "LBCacheManager.h"

static NSString *const kPlistName = @"LBCache.plist";


@interface LBCacheManager ()

@property (strong, nonatomic) NSMutableDictionary *cachePlistDic;

@property (strong, nonatomic) dispatch_queue_t cacheDispatch;

@property (strong, nonatomic) NSCache *memoryCahce;

@end

@implementation LBCacheManager


+ (LBCacheManager *)sharedManager{
    static dispatch_once_t onceToken;
    static LBCacheManager * manager = nil;
    dispatch_once(&onceToken, ^{
        if (manager == nil ) {
            manager = [[LBCacheManager alloc]init];
        }
    });
    
       return manager;
}


- (instancetype)init{
    
    if (self = [super init]) {
        
        //1. 创建线程并交换线程级别
        _cacheDispatch = dispatch_queue_create("lbCacheDisptch", DISPATCH_QUEUE_SERIAL);
        dispatch_queue_t tempPatch = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_HIGH, 0);
        dispatch_set_target_queue(tempPatch, _cacheDispatch); //交换线程级别
        
        //2 默认数据
        _cacheTime = 0 ;
        _cacheLimit = 5;
        
        //3 添加通知
        [self addNotification];
        
        //4 内存缓存初始化
        _memoryCahce = [[NSCache alloc]init];
        _memoryCahce.countLimit = _cacheLimit;
        
        //5 初始化字典内存
        _cachePlistDic = [NSMutableDictionary dictionaryWithContentsOfFile:[self cachePathForKey:kPlistName]];
        if (_cachePlistDic == nil) {
            _cachePlistDic = [[NSMutableDictionary alloc]init];
        }
        
        //6 创建文件管理以及文件
        [self creatFileManager];
        
    }

    return self;
}


-(void)setCacheLimit:(NSInteger)cacheLimit{
    _cacheLimit = cacheLimit;
    _memoryCahce.countLimit = cacheLimit;
}


#pragma mark - allKeys(获取所有的key)
-(NSArray *)allKeys{
    
    return [_cachePlistDic allKeys];
}

#pragma mark - hasCahceForKey(判断key是否在缓存中)
- (BOOL)hasCahceForKey:(NSString *)key{
    
    __block BOOL res = NO;
  
    res = [[NSFileManager defaultManager]fileExistsAtPath:[self cachePathForKey:key]];
   

    return res;
}


#pragma mark - getAllCacheCount(缓存的数量)
- (NSUInteger)getAllCacheCount{
    
    return _cachePlistDic.count;
}


#pragma mark - getAllCacheSize(缓存的大小)
- (unsigned long long)getAllCacheSize{

    unsigned long long cacheSize = 0;
    
    for (NSString *key in [_cachePlistDic allKeys]) {
        
        NSString *cachePath = [self cachePathForKey:key];
        
        //attributesOfItemAtPath:方法的功能是获取文件的大小、文件的内容等属性
        NSDictionary *attrubis = [[NSFileManager defaultManager] attributesOfItemAtPath:cachePath error:nil];
        
        cacheSize += [attrubis fileSize];
    }
    return cacheSize;
}

#pragma mark - getSingleCacheSizeForKey(某个缓存的大小)
- (unsigned long long)getSingleCacheSizeForKey:(NSString *)key{
    
    unsigned long long cacheSize = 0;

    NSFileManager *manager = [NSFileManager defaultManager];
    
    if ([manager fileExistsAtPath:[self cachePathForKey:key]]) {
        cacheSize = [[manager attributesOfItemAtPath:[self cachePathForKey:key] error:nil] fileSize];
    }

    return cacheSize;
}

#pragma mark -clearAllCache(清除所有缓存)
- (void)clearAllCache{
    //优化运用线程,防止阻塞主线程
    dispatch_async(self.cacheDispatch, ^{
        
        for (NSString *key in _cachePlistDic.allKeys) {
             [[NSFileManager defaultManager] removeItemAtPath:[self cachePathForKey:key] error:nil];
        }
        
        [_cachePlistDic removeAllObjects];
        [_cachePlistDic writeToFile:[self cachePathForKey:kPlistName] atomically:YES];
        [self clearMemoryCache];
    });
}

#pragma mark - clearMemoryCache(清除内存中的缓存)
- (void)clearMemoryCache{
    
    [_memoryCahce removeAllObjects];
}

#pragma mark - removeCacheForKey(清除某个缓存)
- (void)removeCacheForKey:(NSString *)key{
    
   NSAssert(![key isEqualToString:kPlistName], @"对不起,主plist文件不可删除");
   
   dispatch_async(self.cacheDispatch, ^{
    [[NSFileManager defaultManager]removeItemAtPath:[self cachePathForKey:key] error:nil
     ];
     
     [_cachePlistDic removeObjectForKey:key];
     [_cachePlistDic writeToFile:[self cachePathForKey:kPlistName] atomically:YES];
     [_memoryCahce removeObjectForKey:key];
       
   });
}

#pragma mark - readImageObjectForKey(根据key获得缓存图片)
- (UIImage *)readImageObjectForKey:(NSString *)key{
    if (key) {
        NSData  *data= [self readObjectForkey:key];
        if (data) {
            return [UIImage imageWithData:data];
        }
    }
    return nil;
}

#pragma mark - setImage:(UIImage *)image forKey:(NSString *)key(根据key缓存图片)
- (void)setImage:(UIImage *)image forKey:(NSString *)key{
    [self setImage:image forKey:key withTimeInterval:_cacheTime];
}

#pragma mark - setImage:(UIImage *)image forKey:(NSString *)key withTimeInterval:(NSTimeInterval)timeoutInterval(根据key和时间缓存图片)
- (void)setImage:(UIImage *)image forKey:(NSString *)key withTimeInterval:(NSTimeInterval)timeoutInterval{

    if (!key || !image) {
        return ;
    }

    NSData *data = UIImagePNGRepresentation(image);
    data = data ? data : UIImageJPEGRepresentation(image, 1.0f);
    [self setObectValue:data forKey:key withTimeInterval:timeoutInterval];
}

#pragma mark - readObjectForkey(根据key缓存数据)
-(id)readObjectForkey:(NSString *)key{

    if (key) {
        if ([self hasCahceForKey:key]) { //判断是否存在
            NSFileManager *fileManager = [NSFileManager defaultManager];
            
            if ([_cachePlistDic[key] isKindOfClass:[NSData class]]) {
               
                NSTimeInterval now = [[NSDate date] timeIntervalSinceReferenceDate];
                if ([_cachePlistDic[key] timeIntervalSinceReferenceDate] <= now) {
                    dispatch_async(self.cacheDispatch, ^{
                        [fileManager removeItemAtPath:[self cachePathForKey:key] error:nil];
                        [_cachePlistDic writeToFile:[self cachePathForKey:key] atomically:YES];
                        [_memoryCahce removeObjectForKey:key];
                        
                    });
                    
                    return nil;
                }
            }
            
            if ([self.memoryCahce objectForKey:key]) {
                return [self.memoryCahce objectForKey:key];
            }
            
            NSData *data = [NSData dataWithContentsOfFile:[self cachePathForKey:key]];
            if (data) {
                return [NSKeyedUnarchiver unarchiveObjectWithData:data];
            }
            
        }
    }
    
         return nil;
}

#pragma mark - setObectValue(根据key缓存数据)
- (void)setObectValue:(id)value forKey:(NSString *)key{
   
    [self setObectValue:value forKey:key withTimeInterval:_cacheTime];
}

#pragma mark -setObectValue:(id)value forKey:(NSString *)key withTimeInterval(根据key和时间缓存数据)
- (void)setObectValue:(id)value forKey:(NSString *)key withTimeInterval:(NSTimeInterval)timeoutInterval{
    
    if (!key || !value) { //没有key和Value返回
        return ;
    }
    
    //内存添加缓存
    [self.memoryCahce setObject:value forKey:key];
    
    [self setDataValue:[NSKeyedArchiver archivedDataWithRootObject:value] forKey:key withTimeInterVal:timeoutInterval];
}

- (void)setDataValue:(NSData *)value forKey:(NSString *)key withTimeInterVal:(NSTimeInterval )timeoutInterval{
    
    
     NSAssert(![key isEqualToString:kPlistName] , @"不能保存或修改默认的plist");
    
    dispatch_async(self.cacheDispatch, ^{
    
        NSLog(@"key ==%@",key);
        [value writeToFile:[self cachePathForKey:key] atomically:YES];
        //[NSDate distantFuture] 返回很长时间的时间值(永久)
        id obj  = timeoutInterval > 0 ? [NSDate dateWithTimeIntervalSinceNow:timeoutInterval] : [NSDate distantFuture];
        [_cachePlistDic setObject:obj forKey:key];
        [_cachePlistDic writeToFile:[self cachePathForKey:kPlistName] atomically:YES];
    });
}


#pragma mark - initMethod(初始化中方法)
//MARK - 创建文件
- (void)creatFileManager{
    
    // 默认路径
    NSString *defaulPath = [self defaulPath];
    
    //1 文件单利
     NSFileManager *fileManager = [NSFileManager defaultManager];
    
    //2 判断是否存在文件
    if ([fileManager fileExistsAtPath:defaulPath]) {
        NSMutableDictionary *removeKeys = [[NSMutableDictionary alloc]init];
        //timeIntervalSinceReferenceDate/以2001/01/01 GMT为基准时间,返回实例保存的时间与2001/01/01 GMT的时间间隔
        NSTimeInterval now = [[NSDate date] timeIntervalSinceReferenceDate];
        
        dispatch_sync(_cacheDispatch, ^{
            
            BOOL isChange = NO;
            
            //遍历字典 查看是否存在文件
            for (NSString *key in _cachePlistDic.allKeys) {
        
                //先删除后添加
                if ([_cachePlistDic[key] isKindOfClass:[NSData class]]) {
                    if ([_cachePlistDic[key] timeIntervalSinceReferenceDate] <= now) {
                        isChange = YES;
                        [fileManager removeItemAtPath:[self cachePathForKey:key] error:nil];
                        [removeKeys removeObjectForKey:key];
                    }
                }
            }
            
            //删除后写入文件
            if (isChange) {
                _cachePlistDic = removeKeys;
                [_cachePlistDic writeToFile:[self cachePathForKey:kPlistName] atomically:YES];
            }
       });
        
    }else{
        
       //没有文件的话先去创建文件
        [fileManager createDirectoryAtPath:defaulPath withIntermediateDirectories:YES attributes:nil error:nil];
    
    }
}


//MARK - 添加内存警告通知
- (void)addNotification{
    
   [[NSNotificationCenter defaultCenter]addObserver:self selector:@selector(clearMemoryCache) name:UIApplicationDidReceiveMemoryWarningNotification  object:nil];
}

//MARK - 移除通知
- (void)removeNotification{
    
    [[NSNotificationCenter defaultCenter]removeObserver:self name:UIApplicationDidReceiveMemoryWarningNotification object:nil];
}

//MARK- 默认路径
- (NSString *)defaulPath{
    
    NSString *cachesDirectory = NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES)[0];
    
    NSString *defaulPath = [[[cachesDirectory stringByAppendingPathComponent:[[NSBundle mainBundle] bundleIdentifier]]stringByAppendingPathComponent:@"LBCache"] copy];
    
    return  defaulPath;
}

//MARK -缓存路径
- (NSString *)cachePathForKey:(NSString *)key{
    return [[self defaulPath] stringByAppendingPathComponent:key].copy;
}


@end

直接复制代码,放到类中运用就可以。有问题可以留言。

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

推荐阅读更多精彩内容

  • 需要原文的可以留下邮箱我给你发,这里的文章少了很多图,懒得网上粘啦 1数据库基础 1.1数据库定义 1)数据库(D...
    极简纯粹_阅读 7,406评论 0 46
  • 发现 关注 消息 iOS 第三方库、插件、知名博客总结 作者大灰狼的小绵羊哥哥关注 2017.06.26 09:4...
    肇东周阅读 12,066评论 4 62
  • Android 自定义View的各种姿势1 Activity的显示之ViewRootImpl详解 Activity...
    passiontim阅读 171,825评论 25 707
  • 王继曾在隋朝做官,但是郁郁不得志,遂托病回家。后来隋朝亡了,到了唐朝,又做了唐朝的官。到了李世民做皇帝的时候,王继...
    不语语焉阅读 1,636评论 4 2
  • 时间没过多久,若枫从外面打球回来,看到妍栀在班里认得哥哥坐在他的座位上,和妍栀说着什么,恰好妍栀的哥哥那几天和若枫...
    七月无伤阅读 145评论 0 0