5

为什么名称数组不解码?

为游乐场准备,只需将其粘贴到您的游乐场

import Foundation

struct Country : Decodable {

    enum CodingKeys : String, CodingKey {
        case names
    }

    var names : [String]?
}

extension Country {
    public init(from decoder: Decoder) throws {
        let values = try decoder.container(keyedBy: CodingKeys.self)
        names = try values.decode([String]?.self, forKey: .names)!
    }
}

let json = """
 [{
    "names":
      [
       "Andorre",
       "Andorra",
       "アンドラ"
      ]
 },{
    "names":
      [
       "United Arab Emirates",
       "Vereinigte Arabische Emirate",
       "Émirats Arabes Unis",
       "Emiratos Árabes Unidos",
       "アラブ首長国連邦",
       "Verenigde Arabische Emiraten"
      ]
  }]
""".data(using: .utf8)!

let decoder = JSONDecoder()
do {
    let countries = try decoder.decode([Country].self, from: json)
    countries.forEach { print($0) }
} catch {
    print("error")
}
4

1 回答 1

1

您已定义names为 的可选属性Country。如果您的意图是 JSON 中可能不存在此密钥,请使用decodeIfPresent

extension Country {
    public init(from decoder: Decoder) throws {
        let values = try decoder.container(keyedBy: CodingKeys.self)
        names = try values.decodeIfPresent([String].self, forKey: .names)
    }
}

nil如果容器没有与 key 关联的值,或者该值为 null,则此方法返回。

但实际上您可以省略您的自定义init(from decoder: Decoder) 实现(和enum CodingKeys),因为这是默认行为并且会自动合成。

备注:在任何子句中error都定义了一个隐式变量,所以catch

} catch {
    print(error.localizedDescription)
}

可以比 a 提供更多信息print("error")(尽管在这种特殊情况下不是)。

于 2017-07-10T08:03:18.340 回答