给出以下功能:
class func collection(#response: NSHTTPURLResponse,
representation: AnyObject) -> [City] {
return []
}
所以这个函数应该返回一个城市对象数组。我必须以某种方式将AnyObject类型的representation
变量转换为城市数组。
我不知道确切的表示类型是什么,但我可以做像
这样的事情println(representation[0])
它将打印该对象。有关如何将表示转换为[City]数组的任何想法吗?
否则
println(representation as [City])
打印nil。
City.swift:
final class City : ResponseCollectionSerializable {
let id: String
let name: String
class func collection(#response: NSHTTPURLResponse, representation: AnyObject) -> [City] {
return []
}
}
这只是从https://github.com/Alamofire/Alamofire#generic-response-object-serialization复制并粘贴它应该将JSON响应序列化为对象:
@objc public protocol ResponseCollectionSerializable {
class func collection(#response: NSHTTPURLResponse, representation: AnyObject) -> [Self]
}
extension Alamofire.Request {
public func responseCollection<T: ResponseCollectionSerializable>(completionHandler: (NSURLRequest, NSHTTPURLResponse?, [T]?, NSError?) -> Void) -> Self {
let serializer: Serializer = { (request, response, data) in
let JSONSerializer = Request.JSONResponseSerializer(options: .AllowFragments)
let (JSON: AnyObject?, serializationError) = JSONSerializer(request, response, data)
if response != nil && JSON != nil {
return (T.collection(response: response!, representation: JSON!), nil)
} else {
return (nil, serializationError)
}
}
return response(serializer: serializer, completionHandler: { (request, response, object, error) in
completionHandler(request, response, object as? [T], error)
})
}
}
答案 0 :(得分:3)
您回复的representation
参数是调用NSJSONSerialization.JSONObjectWithData...
的结果,因此它是NSArray
或NSDictionary
。由于您获得了representation[0]
的值,因此我们知道它是NSArray
。你的代码究竟是什么样的取决于JSON(你应该在这样的问题中包含一个样本),但你的代码需要像(未经测试的代码):
class func collection(#response: NSHTTPURLResponse, representation: AnyObject) -> [City] {
var cities: [City] = []
for cityRep in representation {
// these next two lines should grab the city data using the correct key
let id = cityRep.valueForKey("cityID") as String
let name = cityRep.valueForKey("cityName") as String
// now add the city to our list
cities.append(City(id: id, name: name))
}
return cities
}
答案 1 :(得分:0)
假设(虽然我讨厌做出假设,你的问题对于细节有点模糊),表示是表示响应的NSData对象,或者是从响应创建的数组。
根据我的经验,这样的响应是一组可用于创建城市对象的词典。因此,您需要编写一个将此字典转换为City
对象的函数。有签名的东西:
parser (AnyObject) -> City
现在,您可以遍历数组,将此函数应用于每个字典,将结果收集到数组中并返回结果。
但是你可以更加优雅并将你的函数映射到数组上并返回结果。