通知及KVC/KVO

KVC/KVO

  1. 添加观察者
    self.person = [[Person alloc]init];
    self.person.name = @"EZ";
    
    //为self.person 添加观察者self,当self.person的name属性发生改变时,观察者方法将被调用
    //所以必须要实现 observeValueForKeyPath:ofObject:change:context: 方法(观察者方法)
     //options:监听它的新值和旧值(NSKeyValueObservingOptionNew|NSKeyValueObservingOptionOld)
    [self.person addObserver:self forKeyPath:@"name" options:NSKeyValueObservingOptionNew|NSKeyValueObservingOptionOld context:nil];
    
  2. KVC赋值,触发KVO
    //使用kvc给self.person的name属性赋值,只有使用kvc赋值,才会触发kvo
    
    [self.person setValue:@"Teemo" forKey:@"name"];
    
  3. KVO触发,响应方法(实现该方法)
    -(void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary*)change context:(void *)context
    {
        //通过keyPath判断是监听的哪个属性值发生了变化
        if ([keyPath isEqualToString:@"name"])
        {
             /**
                  参数change:改变的属性的相关信息
                  新值:change[@"new"]
                  旧值:change[@"old"]
                */
                    NSLog(@"change = %@",change);
            }
    }
    ```
    
  4. 移除通知
    //为self.person 移除对name属性的观察者self,当self.person的
    

name属性发生改变时不再响应self的KVO方法
[self.person removeObserver:self forKeyPath:@"name"];
```
通 知

  1. 注册通知
    //注册名字叫做@"TEST"的通知
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(Test:)  name:@"TEST" object:nil];
    
  2. 实现通知调用方法(注册时选择的Test:方法)
     //收到notify通知,将调用该方法
    

-(void)Test:(NSNotification *)notification
{
DLog(@"test = %@",notification.userInfo);
self.notifyLabel.text = [NSString stringWithFormat:@"notify新值 = %@",notification.object[@"name"]];
}
```

3.发送通知(随便在哪里发送,只要注册了,这个对象还在,没有移除注册通知,就能收到)
//发送通知 [[NSNotificationCenter defaultCenter] postNotificationName:@"TEST" object:nil userInfo:dic];

  1. 移除注册通知
    //移除self注册的通知
    [[NSNotificationCenter defaultCenter] removeObserver:self];
    

你可能感兴趣的:(通知及KVC/KVO)