方法一:
在我刚接触NSTimer的时候,为了解决NSTimer的循环引用,我会在viewWillDisappear中:
- (void)viewWillDisappear:(BOOL)animated
{
[super viewWillDisappear:animated];
[self.timer invalidate];
self.timer = nil;
}
但是问题来了,如果是push而不是pop的话,再次进去VC,这个timer需要重新创建
后来我找到了didMoveToParentViewController:(UIViewController *)parent 这个方法,当push的时候parent是有值的,当pop的时候是没有值的,所以就有了:
- (void)didMoveToParentViewController:(UIViewController *)parent
{
NSLog(@"didMoveToParentViewController %@",parent);
if (parent == nil) {
[self.timer invalidate];
self.timer = nil;
}
}
虽然这个方法有点low,不过也算是解决了
方法二:
因为是NSTimer的Target是绑定的,那么我们是否可以绑定另外一个target呢?而这个target的回收又是由self去管理的:
新建一个id类型的属性:
@property (nonatomic,strong)id target;
NSTimer绑定Target修改为:
self.target = [NSObject new];
class_addMethod([self.target class], @selector(fire), (IMP)cMethod, "v@:");
self.timer = [NSTimer scheduledTimerWithTimeInterval:1.0f target:self.target selector:@selector(fire) userInfo:nil repeats:YES];
新建一个c函数
void cMethod(id self,SEL _cmd){
NSLog(@"CMethod %@",NSStringFromClass([self class]));
}
这时候我们依然在dealloc里面去销毁timer
运行项目发现dealloc执行了,timer销毁了
在这里需要解释一下上面的class_addMethod的实际作用,看似是给target增加了一个方法,但是微妙之处就在于timer的执行是在cMethod里面执行的,而不是原来的fire函数.分析一下:在没有使用自定义的target之前,fire函数的IMP是指向fire的这是毋庸置疑的,而使用class_addMethod之后,相当于重新指定了fire的IMP指针,让他指向了cMethod,造成的结果就是fire摆在那里,有点碍眼.
作为强迫症的我,我要想办法去掉这个碍眼的又不执行的fire函数,既然在class_addMethod中需要一个函数的IMP,那么我们可以获取fire的IMP就可以了,不用新建一个c函数了,那么就有了如下的优化:
self.target = [NSObject new];
Method method = class_getInstanceMethod([self class], @selector(fire));
class_addMethod([self.target class], @selector(fire), method_getImplementation(method), "v@:");
self.timer = [NSTimer scheduledTimerWithTimeInterval:1.0f target:self.target selector:@selector(fire) userInfo:nil repeats:YES];
运行发现fire确实执行了,我终于把cMethod删掉了,清爽.
方法三:
同样是需要解决target和VC的绑定关系,方法三我们得用到NSProxy这个类,这个类负责消息转发到真正的代理类
新建一个继承与NSProxy的类WPProxy
//NSProxy消息转发到真正的代理类
@interface WPProxy : NSProxy
@property (nonatomic,weak)id target;
@end
WPProxy.m中:
- (NSMethodSignature *)methodSignatureForSelector:(SEL)sel
{
//获得target里面sel的方法签名
return [self.target methodSignatureForSelector:sel];
}
- (void)forwardInvocation:(NSInvocation *)invocation
{
//转发给自己进行处理
[invocation setTarget:self.target];
[invocation invoke];
}
在VC中我们就不用用在方法二中的runtime的方法了:
self.proxy = [WPProxy alloc];
self.proxy.target = self;
self.timer = [NSTimer scheduledTimerWithTimeInterval:1.0f target:self.proxy selector:@selector(fire) userInfo:nil repeats:YES];
运行同样是可以解决NSTimer和VC的循环引用问题.
最后附上demo地址:https://github.com/gnaw9258wp/WPTimer.git