在实现缓存的计算和清理之前,我们要先知道缓存存在哪里了。
应用的沙盒主要有以下几个目录:
Document
:适合存储重要的数据, iTunes同步应用时会同步该文件下的内容
Library/Caches
:适合存储体积大,不需要备份的非重要数据,iTunes不会同步该文件
Library/Preferences
:通常保存应用的设置信息, iTunes会同步
tmp
:保存应用的临时文件,用完就删除,系统可能在应用没在运行时删除该目录下的文件,iTunes不会同步
由此知道,缓存一般是存储在Library/Caches
这个路径下。
我们加载网络图片多数都使用的SDWebImage,SDWebImage提供了方法计算缓存和清理缓存:
// totalSize缓存大小
[[SDImageCache sharedImageCache] calculateSizeWithCompletionBlock:^(NSUInteger fileCount, NSUInteger totalSize) {
CGFloat mbSize = totalSize/1000/1000;
DEBUGLog(@"缓存 : %f",mbSize);
}];
//清理缓存
[[SDImageCache sharedImageCache] clearDiskOnCompletion:nil];
不过SDWebImage清理的是它缓存下来的图片,如果有其他缓存是没有计算在内的。
自己实现缓存计算和清理:
+ (NSInteger)getCacheSizeWithFilePath:(NSString *)path {
// 获取“path”文件夹下的所有文件
NSArray *subPathArr = [[NSFileManager defaultManager] subpathsAtPath:path];
NSString *filePath = nil;
NSInteger totleSize = 0;
for (NSString *subPath in subPathArr) {
filePath = [path stringByAppendingPathComponent:subPath];
BOOL isDirectory = NO;
BOOL isExist = [[NSFileManager defaultManager] fileExistsAtPath:filePath isDirectory:&isDirectory];
//忽略不需要计算的文件:文件夹不存在/ 过滤文件夹/隐藏文件
if (!isExist || isDirectory || [filePath containsString:@".DS"]) {
continue;
}
/** attributesOfItemAtPath: 文件夹路径 该方法只能获取文件的属性, 无法获取文件夹属性, 所以也是需要遍历文件夹的每一个文件的原因 */
NSDictionary *dict = [[NSFileManager defaultManager] attributesOfItemAtPath:filePath error:nil];
NSInteger size = [dict[@"NSFileSize"] integerValue];
// 计算总大小
totleSize += size;
}
return totleSize;
}
//将文件大小转换为 M/KB/B
+ (NSString *)fileSizeConversion:(NSInteger)totalSize {
NSString *totleStr = nil;
if (totalSize > 1000 * 1000) {
totleStr = [NSString stringWithFormat:@"%.2fM",totalSize / 1000.00f /1000.00f];
} else if (totalSize > 1000) {
totleStr = [NSString stringWithFormat:@"%.2fKB",totalSize / 1000.00f ];
} else {
totleStr = [NSString stringWithFormat:@"%.2fB",totalSize / 1.00f];
}
return totleStr;
}
//清除path文件夹下缓存
+ (BOOL)clearCacheWithFilePath:(NSString *)path {
//拿到path路径的下一级目录的子文件夹
NSArray *subPathArr = [[NSFileManager defaultManager] contentsOfDirectoryAtPath:path error:nil];
NSString *filePath = nil;
NSError *error = nil;
for (NSString *subPath in subPathArr) {
filePath = [path stringByAppendingPathComponent:subPath];
//删除子文件夹
[[NSFileManager defaultManager] removeItemAtPath:filePath error:&error];
if (error) {
return NO;
}
}
return YES;
}
//缓存路径
NSString *libraryCachePath = NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES).firstObject;
调用方法getCacheSizeWithFilePath
,path传上面的缓存路径,就可以计算出缓存大小,调用clearCacheWithFilePath
清理缓存。
网友评论