我有一个Alamofire电话,我得到一个项目列表,然后我解析它们:
class func getList(_ completion:@escaping (Array<Item>) -> Void) {
Alamofire.request("http://foo.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
let list = parseList(response as! NSArray)
completion(list)
}
}
当我解析列表时,我需要再次调用以获取该项目的状态:
class func parseList(_ responseArray: NSArray) -> Array<Item> {
let list = NSMutableArray()
for itemDic in responseArray {
let item = Item()
item.id = itemDic.value(forKey: "Id") as? Int
item.name = itemDic.value(forKey: "Name") as? Int
Alamofire.request("http://bar.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
item.status = response as? String
}
list.add(item)
}
return list as NSArray as! Array<Item>
}
主要问题是我需要在第一个func中完成所有项目状态,现在当循环已经返回数组时,我得到一些状态响应。返回带有状态的已解析列表的最佳解决方案是什么?
答案 0 :(得分:0)
将parse func更改为closure并添加DispatchGroup,直到设置了所有状态。
第一个功能:
class func getList(_ completion:@escaping (Array<Item>) -> Void) {
Alamofire.request("http://foo.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
self.parseList(response as! NSArray, completion: { (list) in
completion(list)
})
}
}
第二个功能:
class func parseList(_ responseArray: NSArray, completion:@escaping(Array<Item>) - Void) {
let dispatch = DispatchGroup()
let list = NSMutableArray()
for itemDic in responseArray {
let item = Item()
item.id = itemDic.value(forKey: "Id") as? Int
item.name = itemDic.value(forKey: "Name") as? Int
dispatch.enter()
Alamofire.request("http://bar.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
item.status = response as? String
dispatch.leave()
}
list.add(item)
}
dispatchGroup.notify(queue: DispatchQueue.main) {
completion(list as NSArray as! Array<Item>)
}
}
答案 1 :(得分:-1)
你可以使用一个简单的循环计数器来实现你想要的......
class func getList(_ completion:@escaping (Array<Item>) -> Void) {
Alamofire.request("http://foo.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
let list = parseList(response as! NSArray)
completion(list)
}
}
从这里我修改了你的一些代码......我宣布了一个计数器来确定何时用带有状态的项目的完整列表来抛出回调。
class func parseList(_ responseArray: NSArray, _ completion: @escaping (Array<Any>) -> Void) {
let list = NSMutableArray()
let counter: Int = 0 // counter
for itemDic in responseArray {
let item = Item()
item.id = itemDic.value(forKey: "Id") as? Int
item.name = itemDic.value(forKey: "Name") as? Int
Alamofire.request("http://bar.com", method: .get, parameters: nil, headers: nil)
.responseJSON { response in
item.status = response as? String
list.add(item) // when the alamofire return the call we set the status then add it to our list..
counter += 1 // then increment our counter
// here ... we verify if the counter matches the total count of the item we need need to fetch
if responseArray.count == counter {
completion(list) // if it matches the total count then we will fire the callback with the list of the item with statuses.
}
}
}
}