0

我有以下模型:

@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 中有更好的模式,我愿意接受建议。

4

1 回答 1

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结果视为并非所有属性都有价值的指示。

于 2013-07-15T23:20:14.983 回答