2

所以我有几个 NSMutableDictionarys 并且特定字典的每个键/值对都包含一个字符串或整数值。我想知道是否有办法遍历字典并连接值。在 PHP 中,我可以使用数组来做这样的事情

// either the dictionary holds all integers or all string values
$integer_array = array( 'a' => 2, 'b' => 9, 'c' => 2, 'd' => 0, 'e' => 1 );

foreach( $integer_array as $key => $value ) {
    $concatenated_value .= $value;
}

// cast to int
$concatenated_value = ( int ) $concatenated_value;

// prints: 29201
echo $concatenated_value;

我也可以使用implode( )

$concatenated_value = ( int )(implode("", $integer_array));

// prints: 29201
echo $concatenated_value;

iOS Objective-C 有类似的东西吗?

4

2 回答 2

2

我不相信它有预定义的功能。对我来说,这似乎不是一件很常见的事情(在 PHP 中很常见吗?)。我想代码在理论上看起来像这样:

int finalVal = 0;
for (NSString *key in keyArray)
{
    //If it is variable between NSString and NSNumber as you say, you will
    //need to do type checking here.
    NSNumber *numVal = [dictionary objectForKey:key];
    int num = [numVal intValue];

    //----Don't need this part if all values are single digits
    while(num > 10)
    {
        finalVal += num;
        finalVal *= 10;
        num /= 10;
    }
    //--------------------------------------------------------

    finalVal += num;
    finalVal *= 10;
}
finalVal /= 10;

但是,这不太可能产生您想要的结果,因为字典没有排序。我认为您需要一个不同的数据结构或一个数组,按照您插入它们的顺序保存键(但此时您最好只使用一个数组)。

编辑由于您使用的是有序的键数组,因此我编辑了上面的答案。

于 2012-07-20T01:38:56.110 回答
2

这是你可以做到的(它要长一些,因为可可中的字典没有排序)。

NSMutableDictionary *d = [NSMutableDictionary dictionaryWithObjectsAndKeys:
    [NSNumber numberWithInt:1], @"a",
    [NSNumber numberWithInt:2], @"b",
    [NSNumber numberWithInt:34], @"c",
    [NSNumber numberWithInt:56], @"d",nil];
NSArray *sortedKeys = [[d allKeys] sortedArrayUsingSelector: @selector(compare:)];
NSMutableString *res = [NSMutableString string];
[sortedKeys enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
    [res appendFormat:@"%d", [[d objectForKey:obj] intValue]];
}];
NSLog(@"%@", res);

这打印123456

于 2012-07-20T01:51:45.277 回答