structUser: Codable { let name: String let info: [String: Any] }
报错提示:
1 2
Type 'User' does not conform to protocol 'Decodable' Type 'User' does not conform to protocol 'Encodable'
问题出在 Any 上,下面这段代码很好解释:
1 2 3 4
let data = ["value1": 18, "value2": "String"] let jsonData =try!JSONEncoder().encode(data)
// 报错 Type 'Any' cannot conform to 'Encodable'
此时,可以使用
1
let jsonData =try!JSONSerialization.data(withJSONObject: data)
按照这个思路,可以:
1.使用 JSONSerialization
1 2 3 4 5 6 7 8 9
structUser: Codable { let name: String let info: Data }
let info = ["age": 18, "sex": "male"] as [String: Any] let infoData =try!JSONSerialization.data(withJSONObject: info) let user =User(name: "xixi", info: infoData) let jsonData =try!JSONEncoder().encode(user)
不过我不想用 JSONSerialization,还是想继续使用 JSONEncoder。
2.继续使用 JSONEncoder
使用 JSONEncoder 最的问题其实有 2 个:
info 中包括了 Int 和 String,上面已经知道 Any 不可行;
info 中的键值对是不固定的。
1 2 3 4 5 6 7 8 9
structUser: Codable { let name: String let info: [InfoItem]
structInfoItem: Codable { let age: Int? let sex: String? } }
使用:
1 2 3 4 5 6 7 8 9
var info: [InfoItem] = []
let info1 =InfoItem(age: 18) info.append(info1) let info2 =InfoItem(sex: "male") info.append(info2)
let user =User(name: "xixi", info: info) let jsonData =try!JSONEncoder().encode(user)