当类型仅在运行时已知时,Swift 4 JSON解码

时间:2017-10-05 22:50:22

标签: json swift swift4 swift-protocols decodable

当要解码的类型在运行时已知时,是否可以使用Swift 4中的Decodable协议解码JSON对象?

我有一个类别的注册表,它将String标识符映射到我们要解码的类型,如下所示:

import Foundation

struct Person: Decodable {
    let forename: String
    let surname: String
}

struct Company: Decodable {
    let officeCount: Int
    let people: [Person]
}

let registry: [String:Decodable.Type] = [
    "Person": Person.self,
    "Company": Company.self
]

let exampleJSON = """
{
    "forename": "Bob",
    "surname": "Jones"
}
""".data(using: .utf8)!

let t = registry["Person"]!

try! JSONDecoder().decode(t, from: exampleJSON) // doesn't work :-(

我在这里是对的还是有更好的方法?

2 个答案:

答案 0 :(得分:11)

你的设计确实是独一无二的,但不幸的是,我相信你正在使用Swift的类型系统。基本上,一个协议并不符合自身,因此,你的一般Decodable.Type在这里是不够的(即你真的需要一个具体的类型来满足类型系统要求)。这可能会解释您遇到的错误:

  

无法使用decode类型的参数列表调用(Decodable.Type, from: Data)。期望类型为(T.Type, from: Data)的参数列表。

但是,话说回来,确实有一个(脏!)黑客。首先,创建一个虚拟DecodableWrapper来保存您的runtime-ish Decodable类型:

struct DecodableWrapper: Decodable {
    static var baseType: Decodable.Type!
    var base: Decodable

    init(from decoder: Decoder) throws {
        self.base = try DecodableWrapper.baseType.init(from: decoder)
    }
}

然后像这样使用它:

DecodableWrapper.baseType = registry["Person"]!
let person = try! JSONDecoder().decode(DecodableWrapper.self, from: exampleJSON).base
print("person: \(person)")

打印预期结果:

  

person:person(姓名:" Bob",姓:" Jones")

答案 1 :(得分:8)

Paulo的workaround的缺点是它不是线程安全的。这是一个更简单的解决方案的示例,它允许您在没有具体类型的情况下解码值:

struct DecodingHelper: Decodable {
    private let decoder: Decoder

    init(from decoder: Decoder) throws {
        self.decoder = decoder
    }

    func decode(to type: Decodable.Type) throws -> Decodable {
        let decodable = try type.init(from: decoder)
        return decodable
    }
}

func decodeFrom(_ data: Data, to type: Decodable.Type) throws -> Decodable {
    let decodingHelper = try JSONDecoder().decode(DecodingHelper.self, from: data)
    let decodable = try decodingHelper.decode(to: type)
    return decodable
}