数组解析中的JSON数组,SWIFTYJson

时间:2018-06-15 05:12:25

标签: json swift

我一直在学习SWIFT应用程序中的JSON解析。到目前为止,我一直在使用一个简单的免费API,没有问题,应用程序按设计工作。 但是现在我调用的是一个返回数组内部数组的API。 我已经阅读并准备好我的变量来按照指示访问元素,但SWIFT仍然没有在返回的JSON中看到任何数据。我已经苦苦挣扎了2天,改变了我在网上找到的所有内容并想到了,我的默认变量仍然没有被JSON的数据覆盖。 使用pod SWIFTYJson。

JSON部分提取:

    {
  "list" : [
    {
      "main" : {
        "grnd_level" : 984.67999999999995,
        "temp_min" : 283.30000000000001,
        "temp_max" : 284.54599999999999,
        "temp" : 283.30000000000001,
        "sea_level" : 1022.5,
        "pressure" : 984.67999999999995,
        "humidity" : 88,
        "temp_kf" : -1.25
      },
      "clouds" : {
        "all" : 0
      },
      "weather" : [
        {
          "main" : "Clear",
          "icon" : "01n",
          "description" : "clear sky",
          "id" : 800
        }
      ],

处理它的代码:

func getWeatherData(url: String, parameters: [String : String]){
    //make http request and handle the JSON response
    print("\(url)\(parameters)")
    Alamofire.request(url, method: .get, parameters: parameters).responseJSON {
        response in //in means you are inside a closure (function inside a function)
        if response.result.isSuccess {
            print("Successfully got the weather data!")

            let weatherJSON : JSON = JSON(response.result.value!) //saving the JSON response to a constant weathrJSON  . We are using ! to self unwrap the value.
            self.updateWeatherData(json: weatherJSON) //func to parse our json from API. Self tells the compiler to look for the method inside the current class

            print(weatherJSON)
        } else {
            self.cityName.text = "Unable to fetch weather - please check active connection."
        }

    }
}

func updateWeatherData(json: JSON) {
            (...)
             //parse JSON for weather forecast day 1
            weatherDataModel.weatherTest1 = json["list"][0]["weather"][0]["id"].intValue

            //parse JSON for weather forecast day 2
            weatherDataModel.weatherTest2 = json["list"][8]["weather"][0]["id"].intValue

            //parse JSON for weather forecast day 3
            weatherDataModel.weatherTest3 = json["list"][16]["weather"][0]["id"].intValue

            print("TEST variable 1: \(weatherDataModel.weatherTest1)")
            print("TEST variable 2: \(weatherDataModel.weatherTest2)")
            print("TEST variable 3: \(weatherDataModel.weatherTest3)")

打印到控制台的变量与默认值保持不变:

TEST variable 1: 0
TEST variable 2: 0
TEST variable 3: 0

3 个答案:

答案 0 :(得分:1)

您以错误的方式解析数据。

json["list"]只是JSON对象而不是数组对象,那么如何使用[0]传递索引。

这应该按照以下解决方案进行更正。

weatherDataModel.weatherTest1 = json["list"].arrayValue[0]["weather"].arrayValue[0]["id"].intValue

答案 1 :(得分:0)

在当前版本的SwiftyJSON中,您使用的初始化程序的注释说明了这一点:

/**
 Creates a JSON object
 - note: this does not parse a `String` into JSON, instead use `init(parseJSON: String)`

 - parameter object: the object

 - returns: the created JSON object
 */

因此,您应该使用let weatherJSON : JSON = JSON(response.result.value!)

而不是let weatherJSON : JSON = JSON(parseJSON: response.result.value!)

之后,我认为您当前的代码应该基于您的JSON。

修改

我知道选择了另一个答案,说json [" list"]是JSON对象而不是数组,但提取中指出的JSON清楚地说:

"list" : [
    {

[表示 是一个数组,因此我不确定首先出现了什么问题。我在这里留下这个答案,万一有人遇到同样的问题并使用init(JSON)来解析当前版本的SwiftyJSON对象。

答案 2 :(得分:0)

如果您正在学习如何在Swift中进行解析,则必须学习如何构建模型以正确解析JSON。

(顺便说一下,如果您使用的是Swift 4,则无需使用SWIFTYJson,请在此处了解更多信息:https://benscheirman.com/2017/06/swift-json/

如果要使用SWIFTYJson,请参见以下示例:

struct WeatherDataModel {
    var list = [ListModel]?

    init() {
        self.list = []
    }

    init(json: [String: Any]) {
        if let object = json["list"] as? [[String: Any]] {
            for listJson in object {
                let list = ListModel(json: listJson)
                self.list.append(list)
            }
        }
    }
}

struct ListModel {
    var main : Main?
    var clouds : Clouds?
    var weather : [Weather]?
    init() {
        self.main = Main()
        self.clouds = Clouds()
        self.weather = []
    }
    init(json: [String: Any]) {
        if let mainJson = json["main"] as? [String: Any] {
            self.main = MainModel(json: mainJson)
        }
        if let cloudsJson = json["clouds"] as? [String: Any] {
            self.clouds = CloudsModel(json: cloudsJson)
        }
        if let objectWeather = json["weather"] as? [[String: Any]] {
            for weatherJson in objectWeather {
                let weather = WeatherModel(json: weatherJson)
                self.weather.append(weather)
            }
        }
    }
}

对MainModel,CloudsModel,WeatherModel进行相同操作

获得所有模型后,可以在请求中对其进行解析:

Alamofire.request(url, method: .get, parameters: parameters).validate().responseJSON { (response) -> Void in
        if let value = response.data {
            do {
                let json = try JSON(data: data)
                if let dictionnary = json.dictionnaryObject {
                    let object = WeatherDataModel(json: dictionnary)
                    self.updateWeatherData(data: object)
                }
            } catch {
                print("cannot convert to Json")
            }
        }
 }

然后您将在方法中找到已经解析的Data对象:

func updateWeatherData(data: WeatherDataModel) {
    // exemple
    print(data.list[0].weather[0].id) // = 800
}

希望它会对您有所帮助。