Swift Decode JSON - не может декодировать - PullRequest
0 голосов
/ 11 февраля 2020

Я не могу декодировать мой JSON файл. Это работает, если я декодирую только одну строку, но теперь с моей структурой это не работает. Есть что-то, что я делаю неправильно?

Моя структура, которую я хочу декодировать:

struct Comment: Decodable, Identifiable {
    var id = UUID()
    var title : String
    var comments : [String]

    private enum Keys: String, CodingKey {
        case response = "Response"
        case commentsArray = "commentsArray"
        case title = "title"
        case comments = "comments"
    }

    init(from decoder: Decoder) throws {
        let values = try decoder.container(keyedBy: Keys.self)
        let response = try values.nestedContainer(keyedBy: Keys.self, forKey: .response)
        let commentsArray = try response.nestedContainer(keyedBy: Keys.self, forKey: .commentsArray)
        title = try commentsArray.decodeIfPresent(String.self, forKey: .title)!
        comments = try commentsArray.decodeIfPresent([String].self, forKey: .comments)!
    }
}

Моя JSON:

{"Response": {
    "commentsArray":[
      {
        "title": "someTitle",
        "comments": [
          "optionOne",
          "optionTwo"
        ]
      },
      {
        "title": "title",
        "comments": [
          "optionOne",
          "optionTwo"
        ]
      },
      {
        "title": "someto",
        "comments": [
          "optionOne",
          "optionTwo"
        ]
      }
    ]
    }
  }

Ответы [ 2 ]

2 голосов
/ 11 февраля 2020

используйте эти структуры для декодирования вашего json

struct Response: Codable {
    var response : Comments

    private enum Keys: String, CodingKey {
      case response = "Response"
    }
}
struct Comments: Codable {
    var commentsArray : [comment]
}
struct comment: Codable {
    let title: String
    let comments: [String]
}
0 голосов
/ 11 февраля 2020

Не думаю, что вы хотите структурировать свой код таким образом. У вас есть иерархия, которую вы пытаетесь зафиксировать в более плоской структуре.

Response
    CommentsList
        Comments
            Title
            Comment
            Comment
            ...
        Comments
        ...

Итак, вы можете захотеть сделать что-то вроде этого:

struct Response: Decodable {
    var commentsArray: [Comments]

    init(from decoder: Decoder) {
        let container = try! decoder.container(keyedBy: ResponseCodingKeys.self)
        let response = try! container.nestedContainer(keyedBy: ListCodingKeys.self, forKey: .response)
        commentsArray = try! response.decode([Comments].self, forKey: .commentsArray)
    }

    enum ResponseCodingKeys: String, CodingKey { case response = "Response" }
    enum ListCodingKeys: String, CodingKey { case commentsArray }
}

struct Comments: Decodable {
    var id = UUID()
    var title: String
    var comments: [String]
}
...