我对iOS开发和Swift很新(所以请耐心等待)。我有一个像这样定义的类对象:
class LocationPoint {
var x: Double
var y: Double
var orientation: Double
init(x: Double, y: Double, orientation: Double) {
self.x = x
self.y = y
self.orientation = orientation
}
}
在我的委托中,我创建了一个类的实例并将其附加到一个数组(在委托之外声明):
var pt = LocationPoint(x: position.x, y: position.y, orientation: position.orientation)
self.LocationPoints.append(pt)
到目前为止一切顺利。我可以在viewcontroller中的textview对象中显示数组值,并且每次更新时肯定会添加值。
现在,我想要做的是在数组计数达到限制(比如100个值)之后再将其打包为JSON对象并使用HTPP请求将其发送到Web服务器。我最初的想法是使用SwiftyJSON和Alamofire来帮助解决这个问题...但如果我尝试将问题分解为更小的部分,那么我需要:
现在,我只是想解决第1步,但似乎无法开始。我已经使用CocoaPods安装了两个pod(SwiftyJSON和Alamofire),但我不知道如何在我的viewcontroller.swift文件中实际使用它们。任何人都可以提供有关如何从自定义类结构创建JSON对象的一些指导吗?
答案 0 :(得分:7)
您应该查看[NSJSONSerialization]
课程here。
class LocationPoint {
var x: Double
var y: Double
var orientation: Double
init(x: Double, y: Double, orientation: Double) {
self.x = x
self.y = y
self.orientation = orientation
}
}
func locationPointToDictionary(locationPoint: LocationPoint) -> [String: NSNumber] {
return [
"x": NSNumber(double: locationPoint.x),
"y": NSNumber(double: locationPoint.y),
"orientation": NSNumber(double: locationPoint.orientation)
]
}
var locationPoint = LocationPoint(x: 0.0, y: 0.0, orientation: 1.0)
var dictPoint = locationPointToDictionary(locationPoint)
if NSJSONSerialization.isValidJSONObject(dictPoint) {
print("dictPoint is valid JSON")
// Do your Alamofire requests
}
答案 1 :(得分:1)
为了添加Marius的答案,我稍微修改了代码,将位置点集合转换为有效的JSON对象。上面的答案适用于单个点,但此函数可用于转换点数组。
func locationPointsToDictionary(locationPoints: [LocationPoint]) -> [Dictionary<String, AnyObject>] {
var dictPoints: [Dictionary<String, AnyObject>] = []
for point in locationPoints{
var dictPoint = [
"x": NSNumber(double: point.x),
"y": NSNumber(double: point.y),
"orientation": NSNumber(double: point.orientation),
"timestamp": NSString(string: point.timestamp)
]
dictPoints.append(dictPoint)
}
return dictPoints
}
然后,在代码中你可以像这样使用它:
var pt = LocationPoint(x: position.x, y: position.y, orientation: position.orientation, timestamp: timeStamp)
self.LocationPoints.append(pt)
if LocationPoints.count == 100 {
var dictPoints = locationPointsToDictionary(self.LocationPoints)
if NSJSONSerialization.isValidJSONObject(dictPoints) {
println("dictPoint is valid JSON")
// Do your Alamofire requests
}
//clear array of Location Points and start over
LocationPoints = []
}
这应该只在记录了100个位置点后打包JSON对象。希望这会有所帮助。