Runloop

模式:

RunLoop 在同一段时间只能且必须在一种特定的模式下运行。

RunLoop 有四种模式:

• NSDefaultRunLoopMode:默认模式,表示应用程序空闲,绝大多数的事件响应都是在这种模式:定时器

• UITrackingRunLoopMode:滚动模式

• UIInitializationRunLoopMode:私有的,App启动时

• NSRunLoopCommonModes:默认包含1,2两种模式



定时器和RunLoop

- (void)viewDidLoad {

[super viewDidLoad];

NSTimer *timer = [NSTimer timerWithTimeInterval:1.0 target:self selector:@selector(fire) userInfo:nil repeats:YES];

// 添加到运行循环

// NSDefaultRunLoopMode : 默认模式,表示应用程序空闲,绝大多数的事件响应都是在这种模式:定时器

// UITrackingRunLoopMode : 滚动模式, 只有滚动模式下才会触发定时器回调。

// NSRunLoopCommonModes : 默认包含1,2两种模式

[[NSRunLoop currentRunLoop] addTimer:timer forMode: NSRunLoopCommonModes];

}

- (void)fire {

// 模拟睡眠

// 在iOS9.0之前,线程休眠的时候,runLoop 不响应任何事件,开发中不建议使用。

//    [NSThread sleepForTimeInterval:1.0];

static int num = 0;

///  耗时操作

for (int i = 0; i < 1000 * 1000; ++i) {

[NSString stringWithFormat:@"hello - %d", i];

}

NSLog(@"%d", num++);

}

运行测试,会发现卡顿非常严重。

Ø 将时钟添加到其他线程工作

- (void)viewDidLoad {

[super viewDidLoad];

NSThread *thread = [[NSThread alloc] initWithTarget:self selector:@selector(startTimer) object:nil];

[thread start];

}

- (void)startTimer {

NSLog(@"startTimer = %@",[NSThread currentThread]);

NSTimer *timer = [NSTimer timerWithTimeInterval:1.0 target:self selector:@selector(fire) userInfo:nil repeats:YES];

// 添加到运行循环

// NSDefaultRunLoopMode : 默认模式,表示应用程序空闲,绝大多数的事件响应都是在这种模式:定时器

// UITrackingRunLoopMode : 滚动模式, 只有滚动模式下才会触发定时器回调。

// NSRunLoopCommonModes : 默认包含1,2两种模式

// 在实际开发中,不建议将定时器的运行循环模式设置为NSRunLoopCommonModes,在有耗时操作的时候会影响流畅度。

[[NSRunLoop currentRunLoop] addTimer:timer forMode: NSRunLoopCommonModes];

// runLoop最主要的作用:监听事件

// 每一个线程都会有一个 runLoop,默认情况下,只有主线程的 runLoop 是开启的,子线程的 runLoop 是不开启。

// 启动当前线程的runLoop -- 是一个死循环

// 使用下面方法启动,没办法在某一条件成立后手动停止runLoop,只能由系统停止。

//    [[NSRunLoop currentRunLoop] run];

CFRunLoopRun();

NSLog(@"come here");

}

- (void)fire {

// 模拟睡眠

// 在iOS9.0之前,线程休眠的时候,runLoop 不响应任何事件,开发中不建议使用。

//    [NSThread sleepForTimeInterval:1.0];

static int num = 0;

///  耗时操作

for (int i = 0; i < 1000 * 1000; ++i) {

[NSString stringWithFormat:@"hello - %d", i];

}

NSLog(@"%d ---%@", num++,[NSThread currentThread]);

if (num == 2) {

NSLog(@"停止RunLoop");

// 停止RunLoop

CFRunLoopStop(CFRunLoopGetCurrent());

}

}

注意:主线程的运行循环是默认启动的,但是子线程的运行循环是默认不工作的。

你可能感兴趣的:(Runloop)