从包含nil值的模型创建Dictionary

时间:2013-07-15 22:41:18

标签: objective-c nsdictionary

我有以下型号:

@interface Person : NSObject

@property (nonatomic, copy) NSString *firstName;
@property (nonatomic, copy) NSString *middleName;
@property (nonatomic, copy) NSString *lastName;
@property (nonatomic, copy) NSString *status;
@property (nonatomic, copy) NSString *favoriteMeal;
@property (nonatomic, copy) NSString *favoriteDrink;
@property (nonatomic, copy) NSString *favoriteShow;
@property (nonatomic, copy) NSString *favoriteMovie;
@property (nonatomic, copy) NSString *favoriteSport; 

-(NSDictionary *)getSomeInfo;
-(NSDictionary *)getAllInfo;

@end

第1部分: 我希望getSomeInfo为所有不包含nil的字段返回NSDictionary(例如{“firstName”,self.firstName})。我怎样才能做到这一点? (我可以检查每个值,但我想知道是否有更好的方法)

第2部分: 我希望getAllInfo返回带有所有属性的NSDictionary,如果一个包含nil,那么它应该抛出一个错误。我是否还要编写一个长条件语句来检查还是有更好的方法?

注意:我想在不使用外部库的情况下执行此操作。我是该语言的新手,所以如果Objective-C中有更好的模式,我愿意接受建议。

1 个答案:

答案 0 :(得分:1)

有两种方法。

1)检查每个值:

- (NSDictionary *)getSomeInfo {
    NSMutableDictionary *res = [NSMutableDictionary dictionary];

    if (self.firstName.length) {
        res[@"firstName"] = self.firstName;
    }
    if (self.middleName.length) {
        res[@"middleName"] = self.middleName;
    }
    // Repeat for all of the properties

    return res;
}

2)使用KVC(键值编码):

- (NSDictionary *)getSomeInfo {
    NSMutableDictionary *res = [NSMutableDictionary dictionary];

    NSArray *properties = @[ @"firstName", @"middleName", @"lastName", ... ]; // list all of the properties
    for (NSString *property in properties) {
        NSString *value = [self valueForKey:property];
        if (value.length) {
            res[property] = value;
        }
    }

    return res;
}

对于getAllInfo方法,您可以执行相同操作,但如果缺少任何值,则返回nil。将nil结果视为表明并非所有属性都具有值。