NSCache 基本上就是一个会自动移除对象来释放内存的 NSMutableDictionary。无需响应内存警告或者使用计时器来清除缓存。惟一的不一样之处是键对象不会像 NSMutableDictionary 中那样被复制,这其实是它的一个优势(键不须要实现 NSCopying 协议)。缓存
@property (assign) id<NSCacheDelegate>delegate;
cache对象的代理 , 用来即将清理cache的时候获得通知安全
- (void)cache:(NSCache *)cache willEvictObject:(id)obj;
代理方法 , 这里面不要对cache进行改动 , 若是对象obj须要被持久化存储的话能够在这里进行操做app
这里面有几种状况会致使该方法执行:性能
@property BOOL evictsObjectsWithDiscardedContent;
该属性默认为True , 表示在内存销毁时丢弃该对象 。atom
@property NSUInteger totalCostLimit;
总成本数 , 用来设置最大缓存数量线程
// // TDFSetPhoneNumController.m // TDFLoginModule // // Created by doubanjiang on 2017/6/5. // Copyright © 2017年 doubanjiang. All rights reserved. // #import "viewController.h" @interface viewController () <NSCacheDelegate> @property (nonatomic ,strong) NSCache *cache; @end @implementation viewController - (void)viewDidLoad { [super viewDidLoad]; [self beginCache]; } - (void)beginCache { for (int i = 0; i<10; i++) { NSString *obj = [NSString stringWithFormat:@"object--%d",i]; [self.cache setObject:obj forKey:@(i) cost:1]; NSLog(@"%@ cached",obj); } } #pragma mark - NSCacheDelegate - (void)cache:(NSCache *)cache willEvictObject:(id)obj { //evict : 驱逐 NSLog(@"%@", [NSString stringWithFormat:@"%@ will be evict",obj]); } #pragma mark - Getter - (NSCache *)cache { if (!_cache) { _cache = [NSCache new]; _cache.totalCostLimit = 5; _cache.delegate = self; } return _cache; } @end
咱们会看到如下输出代理
2018-07-31 09:30:56.485719+0800 Test_Example[52839:214698] object--0 cached 2018-07-31 09:30:56.485904+0800 Test_Example[52839:214698] object--1 cached 2018-07-31 09:30:56.486024+0800 Test_Example[52839:214698] object--2 cached 2018-07-31 09:30:56.486113+0800 Test_Example[52839:214698] object--3 cached 2018-07-31 09:30:56.486254+0800 Test_Example[52839:214698] object--4 cached 2018-07-31 09:30:56.486382+0800 Test_Example[52839:214698] object--0 will be evict 2018-07-31 09:30:56.486480+0800 Test_Example[52839:214698] object--5 cached 2018-07-31 09:30:56.486598+0800 Test_Example[52839:214698] object--1 will be evict 2018-07-31 09:30:56.486681+0800 Test_Example[52839:214698] object--6 cached 2018-07-31 09:30:56.486795+0800 Test_Example[52839:214698] object--2 will be evict 2018-07-31 09:30:56.486888+0800 Test_Example[52839:214698] object--7 cached 2018-07-31 09:30:56.486995+0800 Test_Example[52839:214698] object--3 will be evict 2018-07-31 09:30:56.487190+0800 Test_Example[52839:214698] object--8 cached 2018-07-31 09:30:56.487446+0800 Test_Example[52839:214698] object--4 will be evict 2018-07-31 09:30:56.487604+0800 Test_Example[52839:214698] object--9 cached
通过实验咱们发现NSCache使用上性价比仍是比较高的,能够在项目里放心去用,能够提高app的性能。code