由于项目的需要,最近也是在网上查看各种有关于通知中心的资料学习,但是都不是很全,今天就我个人而言对通知中心做一个总结,希望对大家有用.
- 每一个应用程序都有一个通知中心(NSNotificationCenter)实例,专门负责协助不同对象之间的消息通信
- 任何一个对象都可以向通知中心发布通知(NSNotification),描述自己在做什么。其他感兴趣的对象(Observer)可以申请在某个特定通知发布时(或在某个特定的对象发布通知时)收到这个通知,如图:
- 废话不多说,直接上代码,下面来说说通知中心的基本用法,不是很难,重在理解
1.在ViewController 创建通知对象
// 第一个参数: 通知的名称 第二个参数: 通知的发布者(是谁要发送这个通知) 第三个参数: 一些额外的信息(通知发布者传递给通知接收者的信息内容)
#import "ViewController.h"
@interface ViewController ()
@end
@implementation ViewController
-(void)viewDidLoad {
[super viewDidLoad];
NSNotification *note = [NSNotification notificationWithName:@"乔丹复出了" object:self userInfo:@{@"在那个队" : @"黄蜂队", @"工资是多少" : @"3000万"}];// 这句代码的意思是说:self像通知中心发送了一跳通知,通知的名称是"乔丹复出了",通知的内容是:userInfo这个字典里面的东西
// 利用通知中心,把通知发送到通知中心上
[[NSNotificationCenter defaultCenter] postNotification:note];
}
2.再创建一个TestViewController
第一个参数observer:监听器,即谁要接收这个通知 第二个参数aSelector:收到通知后,回调监听器的这个方法,并且把通知对象当做参数传入(即收到通知后要干什么事情) 第三个参数Name:通知的名称。如果为nil,那么无论通知的名称是什么,监听器都能收到这个通知 第四个参数Object:通知发布者。如果为Object和aName都为nil,监听器都收到所有的通知```
import "TestViewController.h"
@interface TestViewController ()
@end
@implementation TestViewController
- (void)viewDidLoad {
[super viewDidLoad];
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(receiveNotification:) name:@"乔丹复出" object:nil];// 这句话的意思是:监听 nil 这个对象发出的 "乔丹复出" 这个通知,因为这个对象为nil,没有值.也就是说任何对象发出的 "乔丹复出" 这个通知,就会调用 self 的 receiveNotification 这个方法,来接收通知
}
-
(void)receiveNotification:(NSNotification *)note{
// 接收到消息名字:
note.name;
// 接收到消息的内容:
note.userInfo;
}
- 这样在TestViewController这个控制器里面就可以监听ViewController控制器里的信息.