在Cocoa应用程序中阻止主线程时,UI不会更新

时间:2012-04-05 18:35:22

标签: objective-c multithreading nsprogressindicator

我在主线程中使用NSProgressIndicator来更新进度,因为我运行了整个方法。现在,当我最终从另一个类文件调用一个对象,并等待该对象返回到我的主线程的值时,我注意到NSProgressIndicator将消失。我理解这是因为主线程被阻塞,直到我从另一个对象获得返回值。

所以我的问题是在主线程中更新UI而不阻塞它并让其他对象在后台运行并根据需要将值返回给主线程的推荐方法。我知道如何使用块,但不允许块操作返回值。 我需要的是帮助这个伪代码的东西:

-(IBAction) main {

//Update progress indicator UI to show progress
//perform an call to another object from another class.
// wait till i get its return value.
//Update progress indicator UI to show progress
// Use this return value to do something.
//Update progress indicator UI to show progress


}

当调用另一个对象时,我注意到确定的NSProgressIndicator我已经完全消失,因为主线程被阻塞了。感谢。

3 个答案:

答案 0 :(得分:9)

您的上述代码不是正确的方法。由于main永不返回,因此进度指示器永远不会更新。你必须在主线程上快速返回。

相反,您要做的是设置一个后台块,在不同的点上更新主线程上的进度指示器。所以,例如:

- (IBAction)start:(id)sender {
  dispatch_queue_t queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0);

  dispatch_async(queue, ^{
    dispatch_async(dispatch_get_main_queue(), ^{[self.progress setProgress:0];});

    // Doing some stuff
    dispatch_async(dispatch_get_main_queue(), ^{[self.progress setProgress:.25];});

    // Doing more stuff
    dispatch_async(dispatch_get_main_queue(), ^{[self.progress setProgress:.75];});
  });
}

(是的,这会导致队列保留self,但这可以,因为self没有保留队列。)

答案 1 :(得分:4)

您可以通过GCD(Grand Central Dispatch)实现您的目标。

这是一个让你入门的例子:

dispatch_queue_t queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0ul);
    dispatch_async(queue, ^{
        // Perform async operation
                dispatch_sync(dispatch_get_main_queue(), ^{
                    // Update UI
                });
    });

答案 2 :(得分:0)

听起来你的操作应该在一个单独的线程中运行,这可以通过多种方式完成,但可能最容易使用NSOperationQueue和自定义NSOperation类(比设置它们更容易)或使用NSInvokeOperation类。

然后,您可以使用NSNotificationCenter将消息发送回主线程中的类,或使用键值观察(KVO)设置为观察者。

总而言之,您有多种选择,并且要做到最好,应该了解底层技术。我将从Apple的Threaded Programming Guide开始,然后再次阅读,以确保在构建解决方案之前已经完成了所有的好处。