iOS多线程之理解RunLoop的CommonModes
程序员文章站
2024-03-20 17:02:10
...
iOS多线程之理解RunLoop的CommonModes
CFRunLoopModeRef (runloop运行模式)
RunLoop的运行模式(一共5种)
- kCFRunLoopDefaultMode, App的默认运行模式,通常主线程是在这个运行模式下运行
- UITrackingRunLoopMode, 跟踪用户交互事件(用于 ScrollView 追踪触摸滑动,保证界面滑动时不受其他Mode影响)
- kCFRunLoopCommonModes, 伪模式,不是一种真正的运行模式
- UIInitializationRunLoopMode:在刚启动App时第进入的第一个Mode,启动完成后就不再使用
- GSEventReceiveRunLoopMode:接受系统内部事件,通常用不到
注意:
1. RunLoop只会运行在一个模式下
2. 要切换模式,就要暂停当前模式,重写启动一个运行模式
特别的kCFRunLoopCommonModes
kCFRunLoopCommonModes是伪模式,指可以在标记为Common Modes的模式下运行
目前被标记为Common Modes的模式:
kCFRunLoopDefaultMode,UITrackingRunLoopMode
如何理解runloop的 kCFRunLoopCommonModes?实现原理是怎样?
首先,把一个NSTimer加入runloop,指定运行模式为NSRunLoopCommonModes,并打印runloop
//初始化3个定时器,分别运行在不同的runloop模式
- (void)timerRunInRunLoop
{
NSRunLoop *runLoop = [NSRunLoop currentRunLoop];
NSTimer *timer = [NSTimer timerWithTimeInterval:2.0 target:self selector:@selector(run) userInfo:nil repeats:YES];
[runLoop addTimer:timer forMode:NSDefaultRunLoopMode];
NSTimer *timer2 = [NSTimer timerWithTimeInterval:2.0 target:self selector:@selector(run2) userInfo:nil repeats:YES];
[runLoop addTimer:timer2 forMode:UITrackingRunLoopMode];
NSTimer *timer3 = [NSTimer timerWithTimeInterval:2.0 target:self selector:@selector(run3) userInfo:nil repeats:YES];
[runLoop addTimer:timer3 forMode:NSRunLoopCommonModes];
NSLog(@"*********\n%@",runLoop);
}
- (void)run
{
NSLog(@"---DefaultRunLoopMode");
}
- (void)run2
{
NSLog(@"---UITrackingRunLoopMode");
}
- (void)run3
{
NSLog(@"---NSRunLoopCommonModes");
}
这个runloop是app的主runloop,log太大,见附件
RunLoop实例Log
大致结构
>current mode = kCFRunLoopDefaultMode ,//当前的运行模式
>common modes
>common mode items
>modes
>2 : name:UITrackingRunLoopMode, sources0, sources1, observers, timers
>3 : name:GSEventReceiveRunLoopMode, sources0, sources1, observers, timers
>4 : name:kCFRunLoopDefaultMode, sources0, sources1, observers, timers
>5 : name:kCFRunLoopCommonModes, sources0, sources1, observers, timers
current mode
runloop当前运行模式
common modes
存储的被标记为common modes的模式
common mode items
当前运行在common mode模式下的CFRunLoopSource,CFRunLoopObserver,CFRunLoopTimer
modes
modes里面存的是各个运行模式下面,执行的sources,observers,timers
我们刚刚加载kCFRunLoopCommonModes的timer3在UITrackingRunLoopMode 和 kCFRunLoopDefaultMode下面的timers里面都找到了,反而kCFRunLoopCommonModes下面没有。并且kCFRunLoopCommonModes下面的sources,observers,timers什么都没有。这就不难理解为什么kCFRunLoopCommonModes为什么叫伪模式了。
总结
我们可以推导出kCFRunLoopCommonModes的实现原理。
执行[runLoop addTimer:timer3 forMode:NSRunLoopCommonModes]
1. 首先runloop对象到自己的common modes里面拿出被标记的运行模式commonModes.
2. 匹配commonModes和modes->model->name.
3. 匹配成功的模式,将timer加入到对应model->timers里面.
4. source, observer同timer.
文章包含的代码:多线程demo