我正在点击一个网络服务 url 10 次并得到响应。我正在使用Alamofire
和SwiftyJSON
。这是我的控制器代码
class ViewController: UIViewController {
let dispatchGroup = DispatchGroup()
var weatherServiceURL = "http://samples.openweathermap.org/data/2.5/weather?q=London,uk&appid=b6907d289e10d714a6e88b30761fae22"
override func viewDidLoad() {
super.viewDidLoad()
start()
}
func start() {
weatherService()
dispatchGroup.notify(queue: .main) {
print("All services complete")
}
}
func weatherService() {
for i in 1...10 {
dispatchGroup.enter()
APIManager.apiGet(serviceName: self.weatherServiceURL, parameters: ["counter":i]) { (response:JSON?, error:NSError?, count:Int) in
if let error = error {
print(error.localizedDescription)
return
}
guard let response = response else { return }
print("\n\(response) \n\(count) response\n")
self.dispatchGroup.leave()
}
}
}
}
这是我的服务处理程序类代码
class APIManager: NSObject {
class func apiGet(serviceName:String,parameters: [String:Any]?, completionHandler: @escaping (JSON?, NSError?, Int) -> ()) {
Alamofire.request(serviceName, method: .get, parameters: nil, encoding: URLEncoding.default, headers: nil).responseJSON { (response:DataResponse<Any>) in
switch(response.result) {
case .success(_):
if let data = response.result.value{
let json = JSON(data)
completionHandler(json,nil, parameters!["counter"] as! Int)
}
break
case .failure(_):
completionHandler(nil,response.result.error as NSError?, parameters!["counter"] as! Int)
break
}
}
}
}
我正在发送一个带有 for 循环索引的计数器键,只是为了跟踪哪个索引返回的响应。但是响应不是按顺序排列的。我们可以在第 2 和第 1 响应之前期待第 3 响应。这是因为带有函数调用的 API 调用APIManager.apiGet
是异步的,并且正在转义,因此会继续 for 循环。
我也使用了 dispatchQueue
let dispatchQueue = DispatchQueue(label: "com.test.Queue", qos: .userInteractive)
并将函数转换为:
func weatherService() {
for i in 1...10 {
dispatchGroup.enter()
dispatchQueue.async {
APIManager.apiGet(serviceName: self.weatherServiceURL, parameters: ["counter":i]) { (response:JSON?, error:NSError?, count:Int) in
if let error = error {
print(error.localizedDescription)
return
}
guard let response = response else { return }
print("\n\(response) \n\(count) response\n")
self.dispatchGroup.leave()
}
}
}
}
与服务调用代码是异步的结果相同。如果我们使
dispatchQueue.sync {
//service call
}
那么我们也不会以串行顺序获得响应,因为异步和 dispatchQueue 中的网络调用假定任务已完成。
条件是只在不冻结 UI 的情况下以异步方式访问服务。如果我打的服务是同步的方式,那么我会得到我想要的结果。但是阻塞主线程是完全不能接受的。
我可以使用数组或一些全局布尔变量来管理这个东西,但我不想使用它们。有没有其他方法可以按调用它的顺序获得响应?任何帮助或提示表示赞赏。