Swift 4 декодирует JSON с использованием Codable

Может кто-нибудь сказать мне, что я делаю не так? Я посмотрел на все вопросы здесь, как здесь. Как декодировать вложенную структуру JSON с протоколом Swift Decodable? и я нашел тот, который кажется именно то, что мне нужно Swift 4 Codable декодирования JSON.

{
"success": true,
"message": "got the locations!",
"data": {
    "LocationList": [
        {
            "LocID": 1,
            "LocName": "Downtown"
        },
        {
            "LocID": 2,
            "LocName": "Uptown"
        },
        {
            "LocID": 3,
            "LocName": "Midtown"
        }
     ]
  }
}

struct Location: Codable {
    var data: [LocationList]
}

struct LocationList: Codable {
    var LocID: Int!
    var LocName: String!
}

class ViewController: UIViewController {

override func viewDidLoad() {
    super.viewDidLoad()

    let url = URL(string: "/getlocationlist")

    let task = URLSession.shared.dataTask(with: url!) { data, response, error in
        guard error == nil else {
            print(error!)
            return
        }
        guard let data = data else {
            print("Data is empty")
            return
        }

        do {
            let locList = try JSONDecoder().decode(Location.self, from: data)
            print(locList)
        } catch let error {
            print(error)
        }
    }

    task.resume()
}

Я получаю ошибку:

typeMismatch (Swift.Array, Swift.DecodingError.Context (codingPath: [], debugDescription: "Предполагается декодировать массив, но вместо него найден словарь.", underError: nil))

1 ответ

Решение

Проверьте обрисованную в общих чертах структуру вашего текста JSON:

{
    "success": true,
    "message": "got the locations!",
    "data": {
      ...
    }
}

Значение для "data" это объект JSON {...}это не массив. И структура объекта:

{
    "LocationList": [
      ...
    ]
}

Объект имеет единственную запись "LocationList": [...] и его значение является массивом [...],

Вам может понадобиться еще одна структура:

struct Location: Codable {
    var data: LocationData
}

struct LocationData: Codable {
    var LocationList: [LocationItem]
}

struct LocationItem: Codable {
    var LocID: Int!
    var LocName: String!
}

Для тестирования...

var jsonText = """
{
    "success": true,
    "message": "got the locations!",
    "data": {
        "LocationList": [
            {
                "LocID": 1,
                "LocName": "Downtown"
            },
            {
                "LocID": 2,
                "LocName": "Uptown"
            },
            {
                "LocID": 3,
                "LocName": "Midtown"
            }
        ]
    }
}
"""

let data = jsonText.data(using: .utf8)!
do {
    let locList = try JSONDecoder().decode(Location.self, from: data)
    print(locList)
} catch let error {
    print(error)
}

После большого количества поисков в Интернете я определенно понял, что это самый приятный способ распечатать хорошо отформатированный json из любого объекта.

let jsonString = object.toJSONString(prettyPrint: true)
print(jsonString as AnyObject)

Документация Apple о JSONEncoder ->

struct GroceryProduct: Codable {
    var name: String
    var points: Int
    var description: String?
}

let pear = GroceryProduct(name: "Pear", points: 250, description: "A ripe pear.")

let encoder = JSONEncoder()
encoder.outputFormatting = .prettyPrinted

let data = try encoder.encode(pear)
print(String(data: data, encoding: .utf8)!)

/* Prints:
 {
   "name" : "Pear",
   "points" : 250,
   "description" : "A ripe pear."
 }
*/
Другие вопросы по тегам