我正在尝试处理一个JSON对象,使用guard
语句将其解包并转换为我想要的类型,但该值仍然保存为可选项。
guard let json = try? JSONSerialization.jsonObject(with: data) as? [String:Any] else {
break
}
let result = json["Result"]
// Error: Value of optional type '[String:Any]?' not unwrapped
我在这里错过了什么吗?
答案 0 :(得分:13)
try? JSONSerialization.jsonObject(with: data) as? [String:Any]
被解释为
try? (JSONSerialization.jsonObject(with: data) as? [String:Any])
使其成为[String:Any]??
类型的“双重可选”。
可选绑定仅删除一个级别,因此json
具有
类型[String:Any]?
通过设置括号来解决问题:
guard let json = (try? JSONSerialization.jsonObject(with: data)) as? [String:Any] else {
break
}
只是为了好玩:另一个(不太明显?,混淆?)解决方案是 使用模式匹配与双重可选模式:
guard case let json?? = try? JSONSerialization.jsonObject(with: data) as? [String:Any] else {
break
}