KVO的发现

1.什么是KVO

KVO (key value observer) 观察者模式, 监听对象属性的变化

2.KVO的本质

通过探究发现KVO的本质 是  运行时会衍生一个子类, 调用子类的setter方法, NSKVONotifying_Person 在我们运行的时候, KVO会衍生出一个子类, 当我们设置了自己的属性值 self.person.age = 20; 这个时候会调用子类的NSKVONotifying_Person setAge, 进而调用本类的setter方法

3.simple demo:


#import "ViewController.h"

#import "Person.h"

@interface ViewController ()

@property (nonatomic,strong)Person * person;

@end

@implementation ViewController

- (void)viewDidLoad {

[super viewDidLoad];

self.person = [[Person alloc] init];//创建了一个person对象,并且有个isa指针指向这个创建的对象

self.person.name = @"xiaoming";

self.person.age = 18;

//注册监听

/**

参数1:谁来监听我们对象

参数2:表示监听我们对象的哪个属性,

参数3:表示监听选项

参数4:上下文

*/

[self.person addObserver:self forKeyPath:@"name" options:NSKeyValueObservingOptionNew | NSKeyValueObservingOptionOld context:nil]; //给对象添加监听者之后, 运行时就衍生出了一个子类 isa = (Class)NSKVONotifying_Person 0x00007fa1f1d198d0

}

- (void)touchesBegan:(NSSet*)touches withEvent:(UIEvent *)event{

self.person.name = @"呵呵哒";

self.person.age = 20;

}

- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary*)change context:(void *)context{

/*

keyPath:监听对象的属性名

object:被监听的对象

change:打印出监听的对象的属性的新值和旧值

*/

NSLog(@"keyPath=%@ --object=%@--change=%@",keyPath,object,change);

//打印结果:

/**    keyPath=name    object=change={

kind = 1;

old = xiaoming;

new = 呵呵哒;

}

*/

}

//移除监听者

- (void)dealloc{

[self.person removeObserver:self forKeyPath:@"name"];

[self.person removeObserver:self forKeyPath:@"age"];

}

@end

你可能感兴趣的:(KVO的发现)