我们有一个json有效载荷:
{
"aps": {
"alert": {
"title": "Payload",
"body": "Lets map this thing"
},
},
"type": "alert",
"message": "This is a message",
}
已创建自定义对象:
class PushNotificationDetail {
var title: String //operation
var body: String //message
var type: detailType
var message: String?
init(title: String, body: String, type: detailType, message: string?){
self.title = title
self.body = body
self.type = type
self.message = message
}
}
问题是将其正确映射到创建的对象,实现此目的的最佳方法是什么?
答案 0 :(得分:1)
您应该使用Swift4 Codable协议从api返回的json初始化您的对象。您需要重构结构以匹配api返回的数据:
struct PushNotificationDetail: Codable, CustomStringConvertible {
let aps: Aps
let type: String
let message: String?
var description: String { return aps.description + " - Type: " + type + " - Message: " + (message ?? "") }
}
struct Aps: Codable, CustomStringConvertible {
let alert: Alert
var description: String { return alert.description }
}
struct Alert: Codable, CustomStringConvertible {
let title: String
let body: String
var description: String { return "Tile: " + title + " - " + "Body: " + body }
}
extension Data {
var string: String { return String(data: self, encoding: .utf8) ?? "" }
}
游乐场测试
let json = """
{"aps":{"alert":{"title":"Payload","body":"Lets map this thing"}},"type":"alert","message":"This is a message"}
"""
if let pnd = try? JSONDecoder().decode(PushNotificationDetail.self, from: Data(json.utf8)) {
print(pnd) // "Tile: Payload - Body: Lets map this thing - Type: alert - Message: This is a message\n"
// lets encode it
if let data = try? JSONEncoder().encode(pnd) {
print(data.string) // "{"aps":{"alert":{"title":"Payload","body":"Lets map this thing"}},"type":"alert","message":"This is a message"}\n"
print(data == Data(json.utf8)) // true
}
}
答案 1 :(得分:0)
您可以使用PushNotificationDetail类中的可用初始化程序和链式防护语句来执行此操作:
init?(jsonDict: [String : Any]) {
guard let typeString : String = jsonDict[“type”] as? String,
let message: String = jsonDict[“message”] as? String,
let aps : [String : Any] = jsonDict[“aps”] as? [String : Any],
let alert : [String : String] = aps[“alert”] as? [String : String],
let title : String = alert[“title”],
let body : String = alert[“body”] else { return nil }
// implement some code here to create type from typeString
self.init(title: title, body: body, type: type, message: message)
}
希望有所帮助。