我正在编写一个应用程序,我需要实现的功能之一要求应用程序从网站提取JSON数据,将其存储在字典中,然后能够使用所有键并显示值。我不知道字典的结构会是什么样子,所以我希望以递归方式遍历字典以检索所有信息。
我将JSON存储在我需要的网站的字典中,当我将字典变量放在println()语句中时,它会正确显示。
I found this link我觉得这个,或者其中的一些变体应该有用,但我对swift仍然相当新,我不确定这是如何从Objective-c转换为swift。
我感兴趣的链接部分是:
(void)enumerateJSONToFindKeys:(id)object forKeyNamed:(NSString *)keyName
{
if ([object isKindOfClass:[NSDictionary class]])
{
// If it's a dictionary, enumerate it and pass in each key value to check
[object enumerateKeysAndObjectsUsingBlock:^(id key, id value, BOOL *stop) {
[self enumerateJSONToFindKeys:value forKeyNamed:key];
}];
}
else if ([object isKindOfClass:[NSArray class]])
{
// If it's an array, pass in the objects of the array to check
[object enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {
[self enumerateJSONToFindKeys:obj forKeyNamed:nil];
}];
}
else
{
// If we got here (i.e. it's not a dictionary or array) so its a key/value that we needed
NSLog(@"We found key %@ with value %@", keyName, object);
}
}
我不确定如何解决这个问题,任何正确方向的帮助或指示都是值得欣赏的。谢谢!
编辑:这是我开始进入的方向,但是有很多错误。我试图解决它们但没有太多运气。
func enumerateJSONToFindKeys(id:AnyObject, keyName:NSString){
if id.isKindOfClass(NSDictionary)
{
AnyObject.enumerateKeysAndObjectsUsingBlock(id.key, id.value, stop:Bool())
{
self.enumerateJSONToFindKeys(id.value, forKeyNamed: keyName)
}
}
else if id.isKindOfClass(NSArray)
{
}
}
答案 0 :(得分:5)
试试这个:
func enumerateJSONToFindKeys(object:AnyObject, forKeyNamed named:String?) {
if let dict = object as? NSDictionary {
for (key, value) in dict {
enumerateJSONToFindKeys(value, forKeyNamed: key as? String)
}
}
else if let array = object as? NSArray {
for value in array {
enumerateJSONToFindKeys(value, forKeyNamed: nil)
}
}
else {
println("found key \(named) value \(object)")
}
}
它使用Swift as?
条件转换运算符以及NSDictionary和NSArray上的本机迭代。