这对于 OP 来说可能为时已晚,但我有一个类似的问题需要解决。希望这对其他人有用。
对于我的问题,我想Decodable
用 Swift 5.1 来解码我的 JSON。但是,在我的对象层次结构的各个点,我想返回一个不支持的 objC 对象(来自第三方库)Decodable
,但确实支持从(非平凡的)JSON 字符串解码。我通过JSONSerialization
创建一个无类型的对象层次结构解决了这个问题,我可以从解码器的userInfo
属性中检索并使用解码器的属性进行搜索contextPath
以找到我的数据,然后JSONSerialization
将其转换回字符串数据。
此解决方案不假设获取具有“数据”键的对象所需的对象/数组层次结构。
// Swift 5.1 Playground
import Foundation
// Input configuration JSON
let jsonStr = """
{
"foo":"bar",
"bars": [
{
"data":{
"thing1":"#111100",
"thing2":12
}
},
{
"data":{
"thing1":"#000011",
"thing2":64.125
}
}
]
}
"""
// Object passed to the decoder in the UserInfo Dictionary
// This will contain the serialized JSON data for use by
// child objects
struct MyCodingOptions {
let json: Any
static let key = CodingUserInfoKey(rawValue: "com.unique.mycodingoptions")!
}
let jsonData = Data(jsonStr.utf8)
let json = try JSONSerialization.jsonObject(with: jsonData)
let options = MyCodingOptions(json: json)
let decoder = JSONDecoder()
decoder.userInfo = [MyCodingOptions.key: options]
// My object hierarchy
struct Root: Decodable {
let foo: String
let bars: [Bar]
}
struct Bar: Decodable {
let data: Data?
enum CodingKeys: String, CodingKey {
case data = "data"
}
}
// Implement a custom decoder for Bar
// Use the context path and the serialized JSON to get the json value
// of "data" and then deserialize it back to data.
extension Bar {
init(from decoder: Decoder) throws {
var data: Data? = nil
if let options = decoder.userInfo[MyCodingOptions.key] as? MyCodingOptions {
// intialize item to the whole json object, then mutate it down the "path" to Bar
var item: Any? = options.json
let path = decoder.codingPath // The path to the current object, does not include self
for key in path {
if let intKey = key.intValue {
//array
item = (item as? [Any])?[intKey]
} else {
//object
item = (item as? [String:Any])?[key.stringValue]
}
}
// item is now Bar, which is an object (Dictionary)
let bar = item as? [String:Any]
let dataKey = CodingKeys.data.rawValue
if let item = bar?[dataKey] {
data = try JSONSerialization.data(withJSONObject: item)
}
}
self.init(data: data)
}
}
if let root = try? decoder.decode(Root.self, from: jsonData) {
print("foo: \(root.foo)")
for (i, bar) in root.bars.enumerated() {
if let data = bar.data {
print("data #\(i): \(String(decoding: data, as: UTF8.self))")
}
}
}
//prints:
// foo: bar
// data #0: {"thing2":12,"thing1":"#111100"}
// data #1: {"thing2":64.125,"thing1":"#000011"}