简介(摘自官方文档)
Run loops are part of the fundamental infrastructure associated with threads. A run loop is an event processing loop that you use to schedule work and coordinate the receipt of incoming events. The purpose of a run loop is to keep your thread busy when there is work to do and put your thread to sleep when there is none.
Run loop management is not entirely automatic. You must still design your thread’s code to start the run loop at appropriate times and respond to incoming events. Both Cocoa and Core Foundation provide run loop objects to help you configure and manage your thread’s run loop. Your application does not need to create these objects explicitly; each thread, including the application’s main thread, has an associated run loop object. Only secondary threads need to run their run loop explicitly, however. The app frameworks automatically set up and run the run loop on the main thread as part of the application startup process.
简单翻译一下:
运行循环是与线程相关的基本基础设施的一部分,运行循环是一个用于调度工作并协调传入事件的接收的事件处理循环。运行循环作用就是在有工作要做的时候保持线程busy状态,否则让线程sleep。
运行循环管理并非完全自动化。仍然必须手动设计线程的相关代码,以便在适当的时候启动运行循环并响应传入事件。Cocoa和Core Foundation都提供运行循环对象以帮助您配置和管理线程的运行。您的应用程序不需要显式创建这些对象;每个线程(包括应用程序的主线程)都有相关的运行循环对象。子级线程需要代码启动它们的运行循环。应用程序框架自动设置并运行主线程的运行循环作为应用程序启动过程的一部分。ps:谢谢百度翻译,祝愿越来越牛逼。
简单剖析
运行循环就像它的名字一样循环运行,你的线程可以使用它驱动事件处理程序以响应传入事件。您的代码提供了用于执行循环的实际循环部分的控制语句,换句话说,您的代码提供了驱动循环的while循环或for循环。在你的循环中,你使用一个运行循环对象来“运行”事件处理代码(这个代码用于接收事件并调用已安装的处理程序)。
运行循环接收来自两种不同类型源的事件。输入源提供异步事件,通常是来自另一个线程或来自不同应用程序的消息。定时器源提供同步事件,发生在预定时间或重复间隔。这两种类型的源使用特定于应用程序的处理器例程来处理事件到达时。
下图显示了运行循环和各种资源的概念结构:
Run Loop Modes
运行循环模式是一个input sources (被监听)和 timers sources (被监听)的集合,以及运行循环观察员(被通知)的集合。每次运行运行循环时,都要指定运行的特定“模式”(无论是显式的还是隐式的)。在运行循环的运行的过程中,只监视与该运行模式相关的事件源,并允许事件源传递事件。(类似地,只有与该模式相关联的观察者被通知运行循环的进度)。与其他模式相关联的输入源保留住任何新事件直到在适当模式。
模式如下:
NSDefaultRunLoopMode: 大多数操作的运行循环模式,很多时候你应该使用这种模式运行runloop。
NSModalPanelRunLoopMode:cocoa使用此模式识别用于模态面板的事件。
NSEventTrackingRunLoopMode:cocoa在鼠标拖动循环和其他类型的用户界面跟踪循环中使用此模式限制传入事件(我们也可以把事件源加入到这种模式)。
NSRunLoopCommonModes:这是一个复合模式。
小实例
// 1.创建NSTimer
NSTimer *timer = [NSTimer timerWithTimeInterval:2.0 target:self selector:@selector(show) userInfo:nil repeats:YES];
// 2.1.添加到当前的runloop中(主运行循环)
// 把定时器加入到默认 NSDefaultRunLoopMode 模式 。
// 拖拽界面,runloop会自动进入UITrackingMode,此时定时器停止工作。
[[NSRunLoop currentRunLoop] addTimer:timer forMode:NSDefaultRunLoopMode];
// 2.2.添加到当前的runloop中(主运行循环)
// 把定时器加入到UITrackingRunLoopMode模式
// 拖拽界面,runloop进入到UITrackingRunLoopMode模式,定时器工作。
[[NSRunLoop currentRunLoop] addTimer:timer forMode:UITrackingRunLoopMode];
// 2.3.添加到当前的runloop中(主运行循环 )
// 把定时器加入到NSRunLoopCommonModes模式(复合模式)
// 拖拽界面,runloop进入到UITrackingRunLoopMode模式,定时器工作不受影响。
[[NSRunLoop currentRunLoop] addTimer:timer forMode:NSRunLoopCommonModes];
> 总结:主运行循环运行在什么mode下运行不是由代码决定的;当一个运行循环切换到某种模式时,就可以监听相应模式下的输入源和通知相应模式下的观察者了,停止监听和通知切出模式下输入源和观察者。
```