在过去的几天里,我一直在努力解决以下问题
我需要在字典词典中设置一个键和一个值。我知道字典的键,我想设置一个键,但我无法弄清楚如何到达那里。 密钥存储在一个数组中。
说,我有一个包含以下键的字典,每个键的值是另一个字典。
- myDict
- A
- A
- A
- B
- B
- A
- B
- B
- A
- A
- B
- B
- A
- B
我也有以下数组:
[A, A, B]
这意味着,我想在A-> A-> B中为字典中的键设置值。 这等于以下内容:
[[[[myDict objectForKey:@"A"] objectForKey:@"A"] objectForKey@"B"] setValue:myValue forKey:myKey]
有谁知道我可以实现这一目标的方式? 我想我应该保留对字典的引用,迭代数组中的对象并转到字典中的“下一级”并保持对此的引用,并且当到达数组中的最后一个对象时,设置密钥的价值。我的问题是,我无法弄清楚如何解决这个问题。为了保持对字典的引用,当我进入下一个级别时,我需要初始化一个新字典,对吧?这导致我创建一个仅包含当前级别对象的新字典,因此我不会最终为原始字典中的键设置值。
非常感谢任何代码示例或伪代码。
答案 0 :(得分:1)
在我看来,您只需要[yourArray componentsJoinedByString:@"."]
来获取密钥路径,然后使用valueForKeyPath:
来获取适当的值。
答案 1 :(得分:0)
你会做这样的事情,不是说这是'确切'的答案,而是应该让你找到确切的需求。
for(NSString* key in [myDict allKeys]) {
NSString *yourValue = ....
NSDictionary *dict = [[myDict objectForKey:key] objectForKey:key];// Will get you to A->A
for(NSString *levelKey in [dict allKeys]) {
//Setting Value for A->A->(A) & A->A->(B)
[dict setValue:yourValue forKey:levelKey];
}
}
答案 2 :(得分:0)
这个答案应该被忽略。相反,使用@Chuck发布的方法。
我最终编写了下面的两个方法来解决问题。这是受到@nhahtdh的启发。 这些方法在类别中非常适合,但我以前从未写过类别。总有一天,我可以将这些作为一个类别。如果有人想这样做,请在此处发布结果。
/**
* Sets the value in a dictionary with a keypath. Uses either the first or the last key in the keypath as the key to set the value for.
* @param value Value to set.
* @param dictionary Dictionary to set the value in.
* @param path Path for the key. Last or first object is used as the key for the value.
* @param readFromEnd Whether or not to read the path from the end.
*/
+ (void)setValue:(id)value inDictionary:(NSMutableDictionary *)dictionary withKeyPath:(NSArray *)path readFromEnd:(BOOL)readFromEnd
{
NSMutableArray *mutablePath = [NSMutableArray arrayWithArray:path];
NSString *key;
if (readFromEnd)
{
key = [mutablePath lastObject];
[mutablePath removeLastObject];
}
else
{
key = [mutablePath objectAtIndex:0];
[mutablePath removeObjectAtIndex:0];
}
[self setValue:value forKey:key inDictionary:dictionary withKeyPath:mutablePath readFromEnd:readFromEnd];
}
/**
* Sets the value in a dictionary with a keypath.
* @param value Value to set.
* @param key Key for the value.
* @param dictionary Dictionary to set the value in.
* @param path Path for the key.
* @param readFromEnd Whether or not to read the path from the end.
*/
+ (void)setValue:(id)value forKey:(NSString *)key inDictionary:(NSMutableDictionary *)dictionary withKeyPath:(NSArray *)path readFromEnd:(BOOL)readFromEnd
{
if (path.count == 0)
[dictionary setValue:value forKey:key];
else
{
NSMutableArray *mutablePath = [NSMutableArray arrayWithArray:path];
NSString *currentKey;
if (readFromEnd)
{
currentKey = [mutablePath lastObject];
[mutablePath removeLastObject];
}
else
{
currentKey = [mutablePath objectAtIndex:0];
[mutablePath removeObjectAtIndex:0];
}
[self setValue:value forKey:key inDictionary:[dictionary objectForKey:currentKey] withKeyPath:mutablePath readFromEnd:readFromEnd];
}
}