0

我正在尝试将 Met Office 中的以下 JSON 转换为 Swift 4 中的对象,但遇到错误。我的计划是在 JSON 解码后存储在 Core Data 中。这是返回的一些 JSON

let json = """
{
    "Locations":
        {
            "Location":
                [
                    {
                        "elevation": "50.0",
                        "id": "14",
                        "latitude": "54.9375",
                        "longitude": "-2.8092",
                        "name": "Carlisle Airport",
                        "region": "nw",
                        "unitaryAuthArea": "Cumbria"
                    },
                    {
                        "elevation": "22.0",
                        "id": "26",
                        "latitude": "53.3336",
                        "longitude": "-2.85",
                        "name": "Liverpool John Lennon Airport",
                        "region": "nw",
                        "unitaryAuthArea": "Merseyside"
                    }
                ]
        }
}
""".data(using: .utf8)!

我创建了一个结构,用于将数据转换为:

struct locations: Decodable {
    var Locations: [location]
    struct location: Decodable {
        var Location: [MetOfficeLocation]
        struct MetOfficeLocation: Decodable {
            var elevation: String
            var id: String
            var latitude: String
            var longitude: String
            var obsSource: String?
            var name: String
            var region: String
            var area: String

            private enum CodingKeys: String, CodingKey {
                case elevation
                case id
                case latitude
                case longitude
                case obsSource
                case name
                case region
                case area = "unitaryAuthArea"
            }
        }
    }
}

然后我使用 JSONDecoder 进行转换:

let place = try JSONDecoder().decode([Location].self, from: json)
for i in place {
    print(i.Location[0].name)
}

我收到一个 keyNotFound 错误,没有与关键位置关联的值 (\"locations\")。

谢谢

4

1 回答 1

0

有很多方法可以做到这一点。但最简单的可能是创建结构来表示 JSON 的每个级别:

struct Location: Codable {
    let elevation: String
    let id: String
    let latitude: String
    let longitude: String
    let name: String
    let region: String
    let area: String
    private enum CodingKeys: String, CodingKey {
        case elevation, id, latitude, longitude, name, region
        case area = "unitaryAuthArea"
    }
}

struct Locations: Codable {
    let locations: [Location]
    enum CodingKeys: String, CodingKey {
        case locations = "Location"
    }
}

struct ResponseObject: Codable {
    let locations: Locations
    enum CodingKeys: String, CodingKey {
        case locations = "Locations"
    }
}

do {
    let responseObject = try JSONDecoder().decode(ResponseObject.self, from: data)
    print(responseObject.locations.locations)
} catch {
    print(error)
}
于 2018-03-07T18:41:44.587 回答