我正在尝试为我的应用程序创建一个通用的JSON映射器。我正在使用Codable协议,我有两个功能:一个将数据转换为可解码,另一个将可编码转换为数据。这是我的实现:
struct JSONMapper: JSONMapperProtocol {
func map<T: Encodable>(from entity: T) -> Data? {
let encoder = JSONEncoder()
guard let data = try? encoder.encode(entity) else {
return nil
}
return data
}
func map<T: Decodable>(from data: Data) -> T? {
let decoder = JSONDecoder()
guard let entity = try? decoder.decode(T.self, from: data) else {
return nil
}
return entity
}
}
我对这些功能的理想用法是这样的:
if let body = requestData.body {
request.httpBody = self.mapper.map(from: body)
}
requestData 是此协议的实现:
protocol RequestData {
var method: HTTPMethod { get }
var host: String { get }
var path: String { get }
var header: [String: String]? { get }
var queryParameters: [String: String]? { get }
var body: Encodable? { get }
}
但是编译器给了我以下错误:
无法将类型为"可编码"的值转换为预期的参数类型"数据"
我不明白为什么会发生这种情况,因为"httpBody"是一个数据,而"body"是一个可编码的。编译器不应该能够推断出这一点吗?
我很欣赏解决这个问题的任何想法。
配置:
编译器:迅捷 4.2
Xcode:10.1
您的方法期望具体类型 ( T
),它实现协议 Encodable
( <T: Encodable>
)。
所以你不能这样使用它,因为body
必须是一个具体的类型,因为它只是应该实现它的结构/类Encodable
协议。您必须指定实现此协议的类型。
为此,您可以声明必须实现Encodable
协议associatedtype
然后可以将body
类型指定为此关联类型
protocol RequestData {
...
associatedtype T: Encodable
var body: T? { get }
}
然后在实现协议的结构/类内部,您必须将T
类型指定为实现协议Encodable
的结构/类的具体类型
struct SomeStruct: RequestData {
...
typealias T = SomeOtherStruct
var body: T?
}
然后编译器不会给你任何错误,它应该可以工作:
request.httpBody = self.mapper.map(from: body)
对于解码,请参见下文,对于编码,只需将 JSONDecoder() 更改为 JSONEncoder()
let decoder = JSONDecoder()
if let data = response.data {
do {
let userList = try decoder.decode(UserList.self, from: data)
}
catch {
print(error)
}
}
使用它来解码响应数据,您可以使用结构或类,然后将 Codable 作为类型。
struct UserList: Codable {
var responseCode: String
var response: UserListResponse
}
可以像上面一样有可编码类型的层。