0

好的,通过使用新的可解码协议编写一些网络代码来修补 Swift 4。以下错误带有几个编译器错误:

// A lot has been stripped out of this for brevity, so we can focus on this specific constant
struct APIRequest {
    let decoder = JSONDecoder()
    let decodableType: <T.Type where T : Decodable>    // Compiler errors here

    // This function compiles and runs successfully when I pass it in explicitly (by removing the above constant)
    func decodeJsonData<T>(_ data: Data, for type: T.Type) throws -> T where T : Decodable {
        return try decoder.decode(type, from: data)
    }
}

decodedableType 应该是符合 Decodable 协议的任何结构/类的“类型”(即 User.self,其中 User 符合可解码或可编码)。我如何告诉编译器这个?

编辑:换句话说,我想写这样的代码......

struct APIRequest {
    let decoder = JSONDecoder()
    let decodableType: <T.Type where T : Decodable>    // Not sure how to declare this type

    func decodeJsonData(_ data: Data,) throws -> Decodable {
        return try decoder.decode(decodableType, from: data)
    }
}

这意味着将第一个代码块中的泛型参数保存在结构上的常量内。我只是不知道如何在 Swift 中正确写出类型。

4

1 回答 1

2

如果您希望您的结构具有泛型类型,则必须将其声明为这样,而不是像您尝试的那样声明为成员:

struct APIRequest<T: Decodable> {
    let decoder = JSONDecoder()

    func decodeJSONData(from data: Data) throws -> T {
        return try decoder.decode(T.self, from: data)
    }
}

或者您可以将泛型类型限制在函数的范围内:

struct APIRequest {
    let decoder = JSONDecoder()

    func decode<T: Decodable>(from data: Data) throws -> T {
        return try decoder.decode(T.self, from: data)
    }
}
于 2017-06-10T00:32:56.780 回答