1、NSFileManager
/*
* static是静态修饰符, 由他修饰的变量会保存在全局数据区
* 使用static修饰的变量, 则会在程序运行期都不会释放, 只有当程序结束的时候才会释放
*/
static NSString* _cacheDirectory;
/*
* inline函数, 即内联函数, 它可以向编译器申请, 将使用inline修饰的函数内容, 内联到函数调用的位置
* inline修饰的函数, 不会再调用这个函数的时候, 调用call方法, 就不会将函数压栈, 产生内存消耗
* 内联函数只能对一些小型的函数起作用, 如果函数中消耗的内存很大, 比如for循环, 则内联函数就会默认失效
*/
static inline NSString* CacheDirectory() {
if(! _cacheDirectory) {
NSString* cachesDirectory = [NSSearchPathForDirectoriesInDomains(NSCachesDirectory, NSUserDomainMask, YES) objectAtIndex:0];
_cacheDirectory = [[cachesDirectory stringByAppendingPathComponent:@"Cache"] copy];
if (![[NSFileManager defaultManager] fileExistsAtPath: _cacheDirectory]) {
[[NSFileManager defaultManager] createDirectoryAtPath: _cacheDirectory withIntermediateDirectories:YES attributes:nil error:nil];
}
}
return _CacheDirectory;
}
- (void)fileDirectory
{
/* Cache
* iOS
* fileA
* fileB
* Android
* fileC
* programA
* programB
*/
NSFileManager *fileManager = [NSFileManager defaultManager];
NSError *error = nil;
// contentsOfDirectoryAtPath: error: 访问的仅仅是当前路径下的子目录(只会访问一个层级)
NSArray *directoryList = [fileManager contentsOfDirectoryAtPath:CacheDirectory() error:&error];
for (NSString *directoryName in directoryList) {
NSLog(@"directoryName = %@",directoryName); // iOS Android
NSString *directoryPath = [CacheDirectory() stringByAppendingPathComponent:directoryName];
// enumeratorAtPath: 访问的是当前路径下所有文件,多层级
NSDirectoryEnumerator *enumerators = [fileManager enumeratorAtPath:directoryPath];
for (NSString *path in enumerators) {
NSLog(@"path = %@",path); // fileA fileB fileC fileC/programA fileC/programB
}
}
}
2、iOS设备唯一标识
第一反应当然是UUID,但是单纯的使用UUID的过程中会出现问题。
// 获取UUID的方法
[[[UIDevice currentDevice] identifierForVendor] UUIDString];
注意:
1、对于运行于同一个设备,并且来自同一个供应商的所有App,这个值都是相同的。
2、对于一个设备上来自不同供应商的app,这个值不同;不同设备的app,无论供应商相同与否,这个值都不同。
3、如果此值为空,等一会再去获取。用户锁定设备后,再重启设备,此时获取为空,需要解锁。
4、当在设备上安装来自同一个供应商的不同App时,此值保持不变。如果你删除了来自某个供应商的所有app,再重新安装时,此值会改变。
尤其是第4点(每次删除App后,重新获取的UUID都不一样),就是我们不能简单的通过UUID来作为iOS设备唯一标识。
解决方法: 获取一次后,使用钥匙串保存起来,这样即使你删除了App,再重新安装,只有BundleId不变,那么从钥匙串中获取的UUID不会变的。
具体的实现可以参考:iOS Keychain理解
3、深复制
对与非集合对象
NSMutableString *string_m = [NSMutableString stringWithFormat:@"ONCE"];
NSString *string = [string_m copy];
集合对象
// copyItems为YES时,为神拷贝
NSDictionary *dict_c = @{@"title":@"once"};
NSDictionary *dict = [[NSDictionary alloc] initWithDictionary:dict_c copyItems:YES];
NSKeyedUnarchiver与NSKeyedArchiver统一实现
// 适合用于系统的常用的类对象,统一来实现(因为常用的类,都默认遵循了NSCoding协议)
- (id)deepCopy {
id obj = nil;
@try {
obj = [NSKeyedUnarchiver unarchiveObjectWithData:[NSKeyedArchiver archivedDataWithRootObject:self]];
}
@catch (NSException *exception) {
NSLog(@"%@", exception);
}
return obj;
}
// 对于自定义类,需要实现NSCoding协议,这里不是很适合
Archiver *archiver = [[Archiver alloc] init];
[archiver deepCopy];