5

我正在使用CodableSwift 4 中的新协议。我正在通过URLSession. 以下是一些示例数据:

{
  "image_id": 1,
  "resolutions": ["1920x1200", "1920x1080"]
}

我想把它解码成这样的结构:

struct Resolution: Codable {
  let x: Int
  let y: Int
}

struct Image: Codable {
  let image_id: Int
  let resolutions: Array<Resolution>
}

但我不确定如何将原始数据中的分辨率字符串转换为结构Int中的单独属性Resolution。我已经阅读了官方文档和一两个很好的教程,但是这些侧重于可以直接解码数据的情况,无需任何中间处理(而我需要在 处拆分字符串x,将结果转换为Ints 并分配它们和Resolution.x) .y。这个问题似乎也很相关,但是提问者想避免手动解码,而我对这种策略持开放态度(尽管我自己不确定如何去做)。

我的解码步骤如下所示:

let image = try JSONDecoder().decode(Image.self, from data)

由哪里data提供URLSession.shared.dataTask(with: URL, completionHandler: Data?, URLResponse?, Error?) -> Void)

4

1 回答 1

9

对于 each Resolution,您想要解码单个字符串,然后将其解析为两个Int组件。要解码单个值,您希望singleValueContainer()从 的decoder实现中获取 a init(from:),然后调用.decode(String.self)它。

然后,您可以使用components(separatedBy:)in order 获取组件,然后使用Int's字符串初始化DecodingError.dataCorruptedError程序将它们转换为整数,如果遇到格式不正确的字符串,则抛出 a 。

编码更简单,因为您可以只使用字符串插值来将字符串编码到单个值容器中。

例如:

import Foundation

struct Resolution {
  let width: Int
  let height: Int
}

extension Resolution : Codable {
  init(from decoder: Decoder) throws {
    let container = try decoder.singleValueContainer()

    let resolutionString = try container.decode(String.self)
    let resolutionComponents = resolutionString.components(separatedBy: "x")

    guard resolutionComponents.count == 2,
      let width = Int(resolutionComponents[0]),
      let height = Int(resolutionComponents[1])
      else {
        throw DecodingError.dataCorruptedError(in: container, debugDescription:
          """
          Incorrectly formatted resolution string "\(resolutionString)". \
          It must be in the form <width>x<height>, where width and height are \
          representable as Ints
          """
        )
      }

    self.width = width
    self.height = height
  }

  func encode(to encoder: Encoder) throws {
    var container = encoder.singleValueContainer()
    try container.encode("\(width)x\(height)")
  }
}

然后你可以像这样使用它:

struct Image : Codable {

    let imageID: Int
    let resolutions: [Resolution]

    private enum CodingKeys : String, CodingKey {
        case imageID = "image_id", resolutions
    }
}

let jsonData = """
{
  "image_id": 1,
  "resolutions": ["1920x1200", "1920x1080"]
}
""".data(using: .utf8)!

do {
    let image = try JSONDecoder().decode(Image.self, from: jsonData)
    print(image)
} catch {
    print(error)
}

// Image(imageID: 1, resolutions: [
//                                  Resolution(width: 1920, height: 1200),
//                                  Resolution(width: 1920, height: 1080)
//                                ]
// )

请注意,我们已经定义了一个自定义嵌套CodingKeys类型Image因此我们可以为 提供一个驼峰式属性名称imageID,但指定 JSON 对象键为image_id

于 2017-07-13T12:58:08.243 回答