1,SDWebImage图片缓存
这里简单讲解以下SDWebImage图片缓存大小计算以及清理缓存的方法
- 获取图片缓存大小:(前提是使用SDWebImage)
有一点需要注意的是,mac中计算大小是以1000为单位,而不是1024
//计算缓存大小
NSUInteger size = [SDImageCache sharedImageCache].getSize;
double displaySize = size/ 1000.0 /1000.0;
NSLog(@"%.2f-------",displaySize);
- 清除缓存:
[[SDImageCache sharedImageCache] clearDisk];
2,用NSFileManager自助计算缓存文件夹内的缓存
想要用NSFileManager清除缓存需要了解NSFileManager的基本操作,所以我们先讲解一下这个类的一些基本方法
- 2.1,用iOS的NSFileManager获取文件夹信息,我这里以缓存文件夹为例
需要注意的是,这个获取的是文件夹信息,文件夹的大小和内部所有文件的大小是不一样的,这里的文件大小不是我们需要的 - 路径
NSFileManager *fileManager = [NSFileManager defaultManager];
NSError *error;
NSString *cachePath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) lastObject];
- 获取路径下文件夹的属性
NSDictionary *attrs = [fileManager attributesOfItemAtPath:cachePath error:&error];
NSLog(@"%@", attrs);
- 打印结果是这样的:
{
NSFileOwnerAccountID : 501,
NSFileSystemFileNumber : 6907377,
NSFileExtensionHidden : 0,
NSFileSystemNumber : 16777221,
NSFileSize : 170,//这个文件夹大小不是我们需要的所有文件的大小
NSFileGroupOwnerAccountID : 20,
NSFilePosixPermissions : 493,
NSFileCreationDate : 2017-01-08 11:07:18 +0000,
NSFileType : NSFileTypeDirectory,
NSFileGroupOwnerAccountName : staff,
NSFileReferenceCount : 5,
NSFileModificationDate : 2017-01-09 12:14:00 +0000
}
- 2.2, 获取文件夹下的直接内容:(为方便,我这里的文件夹路径和2.1中一致)
NSArray *directContents = [fileManager contentsOfDirectoryAtPath:cachePath error:&error];
- 2.3, 获取文件夹下的所有内容,包括文件夹和文件:
NSArray *AllContents = [fileManager subpathsAtPath:cachePath];
- 2.4,判断该目录下内容是否存在,存在的话:是文件夹还是文件:
BOOL isDirectory = NO;
BOOL exists = [fileManager fileExistsAtPath:fullPath isDirectory:&isDirectory];
- 2.5, 通过以上的方法组合就可以求出一个文件夹下的所有文件的大小,思路如下:
- 01, 首先用2.3方法找出文件夹下的所有内容
- 02, 遍历上面步骤中的所有内容, 然后用2.4方法判断是否为文件
- 03, 如果是文件,用2.1方法找出该文件的大小,然后进行累加计算即可
- 具体方法如下:
NSString *cachePath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) lastObject];
__block NSInteger size = 0;
NSArray *AllContents = [fileManager subpathsAtPath:cachePath];
if (!error) {
[AllContents enumerateObjectsUsingBlock:^(NSString *subPath, NSUInteger idx, BOOL * _Nonnull stop) {
//注意属性必须通过全路径
NSString *fullPath = [cachePath stringByAppendingPathComponent:subPath];
BOOL isDirectory = NO;
BOOL exists = [fileManager fileExistsAtPath:fullPath isDirectory:&isDirectory];
if (!isDirectory) {
//这个是文件,是文件的时候才需要计算大小
NSInteger biteSize = [[fileManager attributesOfItemAtPath:fullPath error:nil][NSFileSize] integerValue];
size += biteSize;
}
}];
NSLog(@"%ld", (long)size);
}
3,用NSFileManager清除缓存
- 清除缓存相对简单,调用一个方法即可:
NSString *cachePath = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) lastObject];
[fileManager removeItemAtPath:cachePath error:nil];