JSON和第三方库
用到的第三方库:
- ObjectiveC: MJExtension
- swift: Argo
JSON示例:
{
"author": [
{
"id": 6,
"name": "Gob Bluth"
},
{
"id": 7,
"name": "7Gob Bluth"
}
],
"text": "I've made a huge mistake.",
"comments": [
{
"author": {
"id": 1,
"name": "Lucille"
},
"text": "Really? Did 'nothing' cancel?"
}
]
}
JSON转模型
在OC中,利用MJExtension等第三方库,我们能够很方便的将JSON转换为模型。
在swift中,就没有这么方便了。因为会有可选值(optional)类型的影响。往往需要判断是否是可选值,各种右移if let判断,无法忍受。这里有篇文章 说的很详细,还有对比当前流行的库的优缺点。
SWIFT JSON SHOOT-OUT 文章链接
在swift中怎么进行JSON转模型操作呢?
- 桥接ObjectiveC的MJExtension到swift中,进行转换操作
- 使用swift版本的库Argo,进行转换操作
桥接MJExtension到swift
大致步骤如下:
- 创建继承自NSObject的模型Model,桥接在swift项目里。
- 用ESJsonFormat工具创建类属性。
- 在swift中,进行转换。
//获取JSON数据,然后转换
let filePath = NSBundle.mainBundle().pathForResource("data", ofType: "json")
let contentData = NSFileManager.defaultManager().contentsAtPath(filePath!)
let content = NSString(data: contentData!, encoding: NSUTF8StringEncoding) as? String
//JSON转模型
let model = Model.mj_objectWithKeyValues(content)
print(model.ShopList[0].ShopInfo.develiyTime)
使用Argo库
Argo库用函数式方法来转换。不过里面用到了许多操作符,咋看上去简直吓死人。不过熟悉后就好了。
像这样的:
struct Author {
let id: Int
let name: String
}
extension Author: Decodable {
static func decode(json: JSON) -> Decoded<Author.DecodedType> {
return curry(self.init)
<^> json <| "id"
<*> json <| "name"
}
}
使用步骤:
- 创建模型结构体
- 扩展结构体并遵守协议:
Decodable
,实现协议方法decode(json: JSON)
。并映射对应关系。
操作符说明:
“<|” 映射字符值。含义是转换<|右边对应的属性名,属性名是String的。如:
<^> json <| "id",映射JSON中的id字段为id属性。
“<|?” 映射可选字符值。就是说转换过来的值有可能是null
"<^>" map,映射的意思。具体什么用的,不是很了解,不过,一般扩展方法中,它都是第一个。
“<*>” apply和上一个类似。
“<||” 转换数组。这个是转换JSON中的数组值用的。如:JSON {"array":["1","2"]} ,转换的话就是: <|| ["array"]
“<||?” 转换的数组是可选值,有可能是null.
示例的JSON,用Argo转换为模型的代码,看起来有点多。
//SwiftModel.swfit中
import UIKit
import Argo
import Curry
struct Author {
let id: Int
let name: String
}
extension Author: Decodable {
static func decode(json: JSON) -> Decoded<Author.DecodedType> {
return curry(self.init)
<^> json <| "id"
<*> json <| "name"
}
}
struct Comments {
let author: Author
let text: String
}
extension Comments: Decodable {
static func decode(json: JSON) -> Decoded<Comments.DecodedType> {
return curry(self.init)
<^> json <| "author"
<*> json <| "text"
}
}
struct SwiftModel {
let author: [Author]
let text: String
let comments: [Comments]
}
extension SwiftModel: Decodable {
static func decode(json: JSON) -> Decoded<SwiftModel.DecodedType> {
return curry(self.init)
<^> json <|| ["author"]
<*> json <| "text"
<*> json <|| ["comments"]
}
}
//viewController中
let json = JSONFromFile("data")
let argoModel: SwiftModel = json.flatMap(decode)!
print(argoModel.author[0].name)
样例工程在这里