NSNotificationCenter
和gcd
&用于非常不同的dispatch_get_main_queue()
目的。我不认为“vs”是真正适用的。
NSNotificationCenter
提供了一种解耦应用程序不同部分的方法。例如kReachabilityChangedNotification
,Apple 的 Reachability 示例代码在系统网络状态发生变化时发布到通知中心。反过来,您可以要求通知中心调用您的选择器/调用,以便您可以响应此类事件。(想想空袭警报)
gcd
另一方面,提供了一种快速分配要在您指定的队列上完成的工作的方法。它使您可以告诉系统您的代码可以在哪些点被单独剖析和处理,以利用多线程和多核 CPU。
通常(几乎总是)在发布通知的线程上观察到通知。除了一个 API 的显着例外......
这些与概念相交的 API 是NSNotificationCenter
's:
addObserverForName:object:queue:usingBlock:
这本质上是一种方便的方法,用于确保在给定线程上观察到给定通知。尽管“ usingBlock
”参数泄露了它在幕后使用的gcd
.
这是它的用法示例。假设在我的代码中某处NSTimer
每秒调用一次此方法:
-(void)timerTimedOut:(NSTimer *)timer{
dispatch_async(dispatch_get_global_queue(0, 0), ^{
// Ha! Gotcha this is on a background thread.
[[NSNotificationCenter defaultCenter] postNotificationName:backgroundColorIsGettingBoringNotification object:nil];
});
}
我想将backgroundColorIsGettingBoringNotification
用作我的信号来更改我的视图控制器的视图的背景颜色。但它发布在后台线程上。好吧,我只能在主线程上使用上述 API 来观察它。请注意viewDidLoad
以下代码:
@implementation NoWayWillMyBackgroundBeBoringViewController {
id _observer;
}
-(void)observeHeyNotification:(NSNotification *)note{
static NSArray *rainbow = nil;
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
rainbow = @[[UIColor redColor], [UIColor orangeColor], [UIColor yellowColor], [UIColor greenColor], [UIColor blueColor], [UIColor purpleColor]];
});
NSInteger colorIndex = [rainbow indexOfObject:self.view.backgroundColor];
colorIndex++;
if (colorIndex == rainbow.count) colorIndex = 0;
self.view.backgroundColor = [rainbow objectAtIndex:colorIndex];
}
- (void)viewDidLoad{
[super viewDidLoad];
self.view.backgroundColor = [UIColor redColor];
__weak PNE_ViewController *weakSelf = self;
_observer = [[NSNotificationCenter defaultCenter] addObserverForName:backgroundColorIsGettingBoringNotification
object:nil
queue:[NSOperationQueue mainQueue]
usingBlock:^(NSNotification *note){
[weakSelf observeHeyNotification:note];
}];
}
-(void)viewDidUnload{
[super viewDidUnload];
[[NSNotificationCenter defaultCenter] removeObserver:_observer];
}
-(void)dealloc{
[[NSNotificationCenter defaultCenter] removeObserver:_observer];
}
- (BOOL)shouldAutorotateToInterfaceOrientation:(UIInterfaceOrientation)interfaceOrientation{
return (interfaceOrientation == UIInterfaceOrientationPortrait);
}
@end
此 API 的主要优点似乎是您的观察块将在调用期间被postNotification...
调用。如果您使用标准 API 并按observeHeyNotification:
如下方式实现,则无法保证在您的调度块执行之前需要多长时间:
-(void)observeHeyNotification:(NSNotification *)note{
dispatch_async(dispatch_get_main_queue(), ^{
// Same stuff here...
});
}
当然,在这个例子中,您可以简单地不在后台线程上发布通知,但是如果您使用的框架不能保证它将在哪个线程上发布通知,这可能会派上用场。