Swift语言是一种强类型类型安全语言,它要求我们显示的设置类型以减少代码的bug。但是当Swift处理JSON这种数据时,就显得非常麻烦,此时我们就可以考虑SwiftyJSON。
为什么用它?
例如我获取一个这样的JSON数据
{
"error_code" = 0;
reason = "\U6210\U529f";
result = (
{
CityName = "\U5b89\U5e86";
},
{
CityName = "\U868c\U57e0";
},
{
CityName = "\U5171\U548c";
}
);
}
我们需要这样
if let resultDic = jsonValue as? NSDictionary {
if let resultArray = resultDic["result"] as? NSArray {
if let resultFirstDic = resultArray[0] as? NSDictionary{
if let resultFirstCity = resultFirstDic["CityName"] as? NSString{
print("\(resultFirstCity)")
}
}
}
}
上面这样还是太麻烦了,但是我们有SwiftyJSON之后呢
let jsonWeNeedValue = JSON(data: jsonData)
if let firstCityName = jsonWeNeedValue["result"][0]["CityName"].string{
print("cityName ===\(firstCityName)")
}
当然它的优势,不仅仅是这些,我们可以通过后期深入来了解其更多的好处。
初始化和基本使用
// 初始化
let json = JSON(data: dataFromNetworking)
//这里的object是AnyObject,但是必须是能转会成JSON的数据类型。传错也没关系,最多你后面再也取不到数据了。
let json = JSON(jsonObject)
// 然后就可以直接使用啦
//Getting a string using a path to the element
let path = [1,"list",2,"name"]
let name = json[path].string
//Just the same
let name = json[1]["list"][2]["name"].string
//Alternatively
let name = json[1,"list",2,"name"].string
具体还是看实际运用的咯
问题
1、它有哪些常用类型
jsonWeNeedValue["result"][0]["CityName"].string
jsonWeNeedValue["result"].array
jsonWeNeedValue.dictionary
基本我们用到的,它都有,而且还有stringValue
,后面提到。
2、注意可选和不可选
// 可选
if let firstCityName = jsonWeNeedValue["result"][0]["CityName"].string{
print("cityName ===\(firstCityName)")
}
else{
print("error == \(jsonWeNeedValue["result"][0]["CityName"])")
}
// 不可选
let secondCityName = jsonWeNeedValue[["result",1,"CityName"]].stringValue
print("secondCity ===\(secondCityName)")
也就是 string
和 stringValue
使用的不同,前者是Optional string
后者是 Non-optional string
,像后者假如不是string
或是nil
,它直接返回" "
也不会Cash。
3、快捷方式的输入,如上面路径[["result",1,"CityName"]]
和["result"][0]["CityName"]
是等同的
就等同于直接是获取数据路径一般,非常好用
let path =["result",1,"CityName"]
let name = jsonWeNeedValue[path].string
4、如果数组下标越界或者不存某个key呢
像上面我直接把路径改为["result",10000,"CityName"]
,它也直接返回null
或空,反正不会Cash
,所以我们放心使用。
5、循环
循环字典:第一个参数是一个key, 第二个参数是JSON
let headers = ["apikey":"a566eb03378211f7dc9ff15ca78c2d93"]
Alamofire.request(.GET, "http://apis.baidu.com/heweather/pro/weather?city=beijing", headers: headers)
.responseJSON { response in
let jsonWeNeedData = JSON(data: response.data!)
// 字典
let cityDic = jsonWeNeedData["HeWeather data service 3.0",0,"aqi","city"].dictionaryValue
print("cityDic == \(cityDic)")
//cityDic == ["pm25": 11, "o3": 57, "qlty": 优, "aqi": 24, "co": 0, "so2": 5, "pm10": 18, "no2": 18]
for (key, sub) in cityDic {
if key == "pm25" {
print("subString == \(sub)")
// subString == 11
}
}
}
当然数组也是一样,注意循环数组也只能用元组,第一个参数是一个string的index, 第二个参数是JSON
//If json is .Array
//The `index` is 0..
SwiftyJSON 让我们更好更简单的处理JSON编码,总之,简单实用,值得推荐。
备注参考
https://github.com/SwiftyJSON/SwiftyJSON
http://tangplin.github.io/swiftyjson/