系统框架
第47条:熟悉系统框架
- 许多系统框架都可以直接使用,其中最重要的是Foundation与CoreFoundation,这两个框架提供了构建应用程序所需的许多核心功能。
- 很多常见任务都能用框架来做,例如:视频处理、网络通信、数据管理。(
CFNetwork
,CoreAudio
,AVFoundation
,CoreData
,CoreText
都需要了解下) - 用纯C写成的框架与用Objective-C写成的一样重要,所以我们掌握C语言还是很重要的。·
第48条:多用块枚举,少用for循环
NSArray * testArray = @[@"1",@"2",@"3",@"4",@"5"];
// for 循环
for(int i = 0; i < testArray.count; i++)
{
NSLog(@"testString === %@",testArray[i]);
}
// 快速遍历
for(NSString * testString in testArray)
{
NSLog(@"testString === %@",testString);
}
// 基于块的遍历模式
[testArray enumerateObjectsUsingBlock:^(id object, NSUInteger idx, BOOL * stop){
NSLog(@"testString === %@",testArray[idx]);
}];
推荐使用最后一种,NSDictionary 也可以使用它
NSDictionary * testDic = @{@"1":@"one",@"2":@"two"};
[testDic enumerateKeysAndObjectsUsingBlock:^(NSString * key,id object,BOOL * stop){
NSLog(@"test === %@",testDic[key]);
}];
总体来看,块枚举法拥有其他遍历方式都具备的优势,而且还能带来更多好处,在遍历字典的时候,还可以同时提供键和值,还有选项可以开启并发迭代功能,所以多写点代码还是值的。
第49条:对自定义其内存管理语义的collection使用无缝桥接
这个真心没用过,不了解,后期学习中···
大致看了下,略微了解了
通过无缝桥接技术,可以在
Foundation
框架中的Objective-C
对象与CoreFoundation
框架中的C语言数据结构之间来回转换。
第50条:构建缓存时选用NSCache而非NSDictionary
简单的说,NSCache是Foundation 框架专门来处理这种任务而设计的。
第51条:精简 initialize 与 load的实现代码
这样有助于我们程序的响应能力,也能减少引入“依赖“的几率。
第52条:别忘了NSTime 会保留其目标对象
这是由于计时器会保留其目标对象,所以反复执行任务通常会导致应用程序出问题,也就是说很容易造成循环引用。
[NSTimer scheduledTimerWithTimeInterval:4.0f
target:self
selector:@selector(afterThreeSecondBeginAction)
userInfo:nil
repeats:YES];
也就是说一旦开启了反复执行的话,可以扩充NSTime的功能,用block来打破循环引用。
#import <Foundation/Foundation.h>
@interface NSTimer (YPQBlocksSupport)
+ (NSTimer *)ypq_scheduledTimeWithTimeInterval:(NSTimeInterval)interval
block:(void(^)())block
repeats:(BOOL)repeats;
@end
#import "NSTimer+YPQBlocksSupport.h"
@implementation NSTimer (YPQBlocksSupport)
+ (NSTimer *)ypq_scheduledTimeWithTimeInterval:(NSTimeInterval)interval
block:(void(^)())block
repeats:(BOOL)repeats
{
return [self scheduledTimerWithTimeInterval:interval
target:self
selector:@selector(ypq_blockInvoke:) userInfo:[block copy]
repeats:repeats];
}
- (void)ypq_blockInvoke:(NSTimer *)timer
{
void (^block)() = timer.userInfo;
if(block)
{
block();
}
}
@end
调用
__weak ViewController * weakSelf = self;
[NSTimer ypq_scheduledTimeWithTimeInterval:4.0f
block:^{
ViewController * strongSelf = weakSelf;
[strongSelf afterThreeSecondBeginAction];
}
repeats:YES];
上面这段代码时这样的,它先定义了一个弱引用,令其指向self
,然后使块捕获这个引用,而不直接去捕获self
变量。也就是说,self
不会为计时器所保留。当开始执行的时候,立刻生成strong
引用,以保证实例在执行期间持续存活。
而且我们一般在
dealloc
的时候,不要忘了调用计时器中的invalidate
方法。
整体来说,感觉这本书还是相当不错,很推荐。
而我个人来说,其中有好多条理解还不是很深刻,后期需要积累来说,来再次更新,学习是不停止的,⛽️。