KVC

KVC (NSKeyValueCoding)一个非正式的 Protocol,提供一种机制来间接访问对象的属性。KVO 就是基于 KVC 实现的关键技术之一。

KVC(Key-value coding)键值编码,顾名思义。额,简单来说,是可以通过对象属性名称(Key)直接给属性值(value)编码(coding)“编码”可以理解为“赋值”。这样可以免去我们调用getter和setter方法,从而简化我们的代码,也可以用来修改系统控件内部属性

iOS的开发中,可以允许开发者通过Key名直接访问对象的属性,或者给对象的属性赋值。而不需要调用明确的存取方法。这样就可以在运行时动态在访问和修改对象的属性。而不是在编译时确定,这也是iOS开发中的黑魔法之一。

- (nullable id)valueForKey:(NSString *)key;                          //直接通过Key来取值
- (void)setValue:(nullable id)value forKey:(NSString *)key;          //通过Key来设值
- (nullable id)valueForKeyPath:(NSString *)keyPath;                  //通过KeyPath来取值
- (void)setValue:(nullable id)value forKeyPath:(NSString *)keyPath;  //通过KeyPath来设值
@interface AnimalModel : NSObject
@property (nonatomic, strong) NSString *kind;
@property (nonatomic, strong)KindModel * model;

@end

@implementation AnimalModel
- (instancetype)init
{
    self = [super init];
    if (self) {
        self.model = [[KindModel alloc] init];
    }
    return self;
}
@end
@interface KindModel : NSObject
@property (nonatomic,strong)NSString * kindName;
@end
AnimalModel * model = [[AnimalModel alloc] init];
    [model setValue:@"reptile" forKey:@"kind"];
    [model setValue:@"pander" forKeyPath:@"model.kindName"];
    
    NSString * kind = [model valueForKey:@"kind"];
    
    NSString * kindName = [model valueForKeyPath:@"model.kindName"];
    
    NSLog(@"kind =======%@, name========%@",kind,kindName);


 NSMutableDictionary * dic = [[NSMutableDictionary alloc] init];
    [dic setObject:@"reptile1" forKey:@"kind"];
    [dic setObject:model.model forKey:@"model"];
    [model setValuesForKeysWithDictionary:dic];
    
    NSLog(@"kind1 =======%@, name1========%@",model.kind,model.model.kindName);
赋值原理
  • AnimalModel 查找是否有对应属性kind的 set方法 如果存在就调用set方法赋值
    [self setKind:dic[@"kind"]]

  • 如果没有 会接着找 kind 属性 kind = dic[@"kind"]

  • 如果找不到 会继续查找 _kind _kind = dic[@"kind"]

  • 都找不到就会崩溃 -(void)setValue:(id)value forUndefinedKey:(NSString *)key

你可能感兴趣的:(KVC)