2

我正在编写一个 Cocoa 应用程序,其 GUI 是在 Interface Builder 中设计的。我需要在不阻塞 UI 的情况下安排后台活动(定期),所以我在单独的线程中运行它,如下所示:

- (void)applicationDidFinishLaunching:(NSNotification *)aNotification {
    [self performSelectorInBackground:@selector(schedule) withObject:nil];
}

- (void) schedule {
    NSAutoreleasePool* pool = [[NSAutoreleasePool alloc] init];
    NSRunLoop* runLoop = [NSRunLoop currentRunLoop];

    timer = [[NSTimer scheduledTimerWithTimeInterval:FEED_UPDATE_INTERVAL
                                                  target:activityObj
                                        selector:@selector(run:)
                                        userInfo:nil
                                         repeats:YES]
         retain];

    [runLoop run];
    [pool release];
}

我保留了计时器,因此我可以轻松地使计时器无效并重新安排时间。

问题:我还必须触发 run: 方法以响应 GUI 事件,因此它是同步的(即“执行活动”按钮)。像这样:

[timer fire];

我也可以使用 performSelectorInBackground 来做到这一点,当然它不会阻塞 UI。但是这种同步触发在另一个运行循环中运行!所以我不能保证它们不会重叠。如何在同一个运行循环中将所有触发排队?

4

3 回答 3

0
[timer setFireDate:[NSDate distantPast]];

通过将过去的日期传递给 setFireDate,我将下一个触发日期调整为 ASAP,从而获得了预期的效果。

于 2010-06-18T10:59:11.693 回答
0

您可以使用经典的并发解决方案:信号量。在您的情况下,最简单的方法是使用@synchronized指令。run:用 包围方法的整个身体(或至少是敏感部分)@synchronized。对于同步对象,我建议您使用特定的 ivar 或静态变量而不是 activityObj 的类,以避免死锁。

-(void)run:(id)param {
    // do thread-safe things here
    @synchronized(syncObj) {
        // put your critical section here
    }
    // do more thread-safe things here
}

关键部分的代码不会重叠。

于 2015-07-11T13:02:14.310 回答
0

您应该在 mainThread 上安排 NSTimer(并触发计时器以执行选择器 --- 选择器可以在后台线程上执行,因此不要阻塞 UI),而不是通过 GCD 在后台线程上安排 NSTimer,因为将添加 NSTimer到一个 NSRunLoop,并且每个 NSRunLoop 都与一个 NSTread 相关联。所以在使用 GCD 时,使用 dispatch_after 而不是 NSTimer 来延迟事情的发生。

于 2016-02-27T09:49:02.093 回答