iOS KVC/KVO

1.KVC底层是通过runtime对method和value操作

比如说如下的一行KVC的代码:

[sit setValue:@"sitename" forKey:@"name"];

就会被编译器处理成:

SEL sel = sel_get_uid ("setValue:forKey:");

IMP method = objc_msg_lookup (site->isa,sel);

method(site, sel, @"sitename", @"name”);

前两步就是通过rt找到method,最后一步更新值;

2.KVO就是基于KVC添加了消息通知,观察者模式;

3.KVB 两个基本方法

1:为对象添加观察者OBserver

addObserver:forKeyPath:options:context:

2:观察者OBserver收到信息的处理函数

observeValueForKeyPath:ofObject:change:context:

以下是使用Demo

1.直接在VC里面操作属性/变量(不推荐耦合度不好)

@property (nonatomic,strong) NSString *str1;

在viewDidLoad加入:

[self addObserver:self forKeyPath:@"str1" options:NSKeyValueObservingOptionNew context:nil];//第一步

[self setValue:@"草泥马KVO" forKey:@"str1”];//第二步

//回调方法

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

if([keyPath isEqualToString:@"count"]){

NSLog(@"count : %@",[change valueForKey:@"new"]);

}

if([keyPath isEqualToString:@"str1"]){

NSLog(@"str1: %@",[change valueForKey:@"new"]);

}

}

在第一步添加注册元素@“str1",然后第二步改变其值,此时第三步回调方法就会响应;

2.自定义类 OberserClass

#import

@interface OberserClass : NSObject

@property (nonatomic,assign) int count;

@end

#import "OberserClass.h"

@implementation OberserClass

@end

简单添加一个属性,什么也不做。然后在ViewDidLoad加入以下代码:

cls = [[OberserClass alloc]init];//cls必须是成员变量,不能是局部变量

[cls addObserver:self forKeyPath:@"count" options:NSKeyValueObservingOptionNew context:nil];

[cls setValue:@"456" forKey:@"count"];

执行到最后一步observeValueForKeyPath就会收到通知,处理@“count"

3.自定义类内部处理

和第二种不一样的是,在@implementation添加如下代码:

- (void)setCount:(int)count{

_count = count;

[self  addObserver:self forKeyPath:@"count" options:NSKeyValueObservingOptionNew context:nil];

}

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

if([keyPath isEqualToString:@"count"]){

NSLog(@"count is :");

}

}

@end

你可能感兴趣的:(iOS KVC/KVO)