0

目标:使用优雅的代码获取包含给定 NSDictionary(s) 的唯一键的 NSArray

当前工作解决方案的示例代码:

NSArray *data = [[NSArray alloc] initWithObjects:
                 [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:1], @"a", [NSNumber numberWithInt:2], @"b", nil],
                 [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:3], @"b", [NSNumber numberWithInt:4], @"c", nil],
                 [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:5], @"a", [NSNumber numberWithInt:6], @"c", nil],
                 [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:7], @"b", [NSNumber numberWithInt:8], @"a", nil],
                 [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithInt:8], @"c", [NSNumber numberWithInt:9], @"b", nil],
                 nil];

// create an NSArray of all the dictionary keys within the NSArray *data
NSMutableSet *setKeys = [[NSMutableSet alloc] init]; 
for (int i=0; i<[data count]; i++) {
    [setKeys addObjectsFromArray:[[data objectAtIndex:i] allKeys]];
}
NSArray *arrayKeys = [setKeys allObjects];
NSLog(@"arrayKeys: %@", arrayKeys);

它返回所需的键数组:

2012-06-11 16:52:57.351 test.kvc[6497:403] arrayKeys: (
    a,
    b,
    c
)

问题:有没有更优雅的方法来解决这个问题?肯定有一些 KVC 方法可以获取所有键而无需遍历数组吗?我一直在查看 Apple Developer Documentation,但找不到解决方案。有任何想法吗?(纯粹看代码的优雅而不是性能)。

4

3 回答 3

8

通常,您可以通过执行以下操作来使用 KVC:

NSArray *uniqueKeys = [data valueForKeyPath:@"@distinctUnionOfArrays.allKeys";

但是NSDictionary会覆盖valueForKey:KVC 内部使用的选择器,因此这将无法正常工作。

NSDictionaryvalueForKey:方法的文档告诉我们:

如果 key 不以“@”开头,则调用 objectForKey:。如果键确实以“@”开头,则去掉“@”并使用键的其余部分调用 [super valueForKey:]。

所以我们只需@在 allKeys 之前插入一个:

NSArray *uniqueKeys = [data valueForKeyPath:@"@distinctUnionOfArrays.@allKeys"];

我们得到了我们想要的:

(lldb) po [data valueForKeyPath:@"@distinctUnionOfArrays.@allKeys"]
(id) $14 = 0x07bb2fc0 <__NSArrayI 0x7bb2fc0>(
c,
a,
b
)
于 2012-06-11T07:36:22.363 回答
0

我想这不那么难看,而且可能稍微快一点:

NSMutableSet *setKeys = [[NSMutableSet alloc] init]; 
for (NSDictionary* dict in data) {
    for (id key in [dict keyEnumerator]) {
        [setKeys addObject:key];
    }
}

但是你没有做一个特别常见的操作,所以我不希望找到一些非常优雅的方法。如果这就是你想要的,那就去学习 Haskell。

于 2012-06-11T07:15:33.963 回答
0

你可以试试这个:

NSMutableSet *setKeys = [[NSMutableSet alloc] init]; 

for(NSDictionary *dict in data) {
    [setKeys addObjectsFromArray:[dict allKeys]];
}

NSArray *arrayKeys = [setKeys allObjects];

如果你喜欢块,你可以使用这个:

[data enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
    [setKeys addObjectsFromArray:[obj allKeys]];
}];
于 2012-06-11T07:22:44.647 回答