iOS
Grupo de despacho
Buscar..
Introducción
Introducción
Supongamos que tiene múltiples hilos en ejecución. Cada hilo está haciendo una tarea. Desea que se le notifique ya sea en el subproceso principal O en otro subproceso, cuando se hayan completado todos los subprocesos de tareas.
La solución más sencilla para este problema es un DispatchGroup
.
Al usar un Grupo de DispatchGroup
, para cada solicitud, enter
al grupo y para cada solicitud completada, leave
el grupo.
Cuando ya no haya solicitudes en el grupo, se le notify
(notificará).
Uso:
import UIKit
class ViewController: UIViewController {
override func viewDidLoad() {
super.viewDidLoad()
let dispatchGroup = DispatchGroup() //Create a group for the tasks.
let session: URLSession = URLSession.shared
dispatchGroup.enter() //Enter the group for the first task.
let firstTask = session.dataTask(with: URLRequest(url: URL(string: "https://stackoverflow.com")!)) { (data, response, error) in
//Process Response..
dispatchGroup.leave() //Leave the group for the first task.
}
dispatchGroup.enter() //Enter the group for the second task.
let secondTask = session.dataTask(with: URLRequest(url: URL(string: "https://google.ca")!)) { (data, response, error) in
//Process Response..
dispatchGroup.leave() //Leave the group for the second task.
}
//Get notified on the main thread/queue.. when ALL of the tasks above has been completed.
dispatchGroup.notify(queue: DispatchQueue.main) {
print("Every task is complete")
}
//Start the tasks.
firstTask.resume()
secondTask.resume()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
}
Con lo anterior, no tiene que wait
infinitamente hasta que se completen todas las tareas. Puede mostrar un cargador ANTES de que se hayan iniciado todas las tareas y descartar el cargador DESPUÉS de que se completen todas las tareas. De esta manera, su hilo principal no se bloquea y su código permanece limpio.
Ahora suponga que también desea que se ordered
las tareas o agregue sus respuestas a una matriz secuencialmente. Podrías hacer lo siguiente:
import UIKit
//Locking mechanism..
func synchronized(_ lock: AnyObject, closure: () -> Void) {
objc_sync_enter(lock)
closure()
objc_sync_exit(lock)
}
class ViewController: UIViewController {
let lock = NSObject() //Object to lock on.
var responseArray = Array<Data?>() //Array of responses.
override func viewDidLoad() {
super.viewDidLoad()
let dispatchGroup = DispatchGroup()
let session: URLSession = URLSession.shared
dispatchGroup.enter() //Enter the group for the first task.
let firstTask = session.dataTask(with: URLRequest(url: URL(string: "https://stackoverflow.com")!)) { (data, response, error) in
//Process Response..
synchronized(self.lock, closure: { () -> Void in
self.responseArray[0] = data ?? nil
})
dispatchGroup.leave() //Leave the group for the first task.
}
dispatchGroup.enter() //Enter the group for the second task.
let secondTask = session.dataTask(with: URLRequest(url: URL(string: "https://google.ca")!)) { (data, response, error) in
//Process Response..
synchronized(self.lock, closure: { () -> Void in
self.responseArray[1] = data ?? nil
})
dispatchGroup.leave() //Leave the group for the second task.
}
//Get notified on the main thread.. when ALL of the requests above has been completed.
dispatchGroup.notify(queue: DispatchQueue.main) {
print("Every task is complete..")
for i in 0..<self.responseArray.count {
if self.responseArray[i] == nil {
print("Request #\(i) Failed.\n")
}
else {
print("Request #\(i) Succeeded.\n")
}
}
}
//Two tasks added to the array. Responses are assumed nil until they complete.
self.responseArray.append(nil)
self.responseArray.append(nil)
//Start the tasks.
firstTask.resume()
secondTask.resume()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
}
}
Notas
Cada entrada debe tener una salida en un DispatchGroup
. Si olvidas leave
después de entering
, te estás preparando. NUNCA se le notificará cuando se completen las tareas.
La cantidad de enter
debe ser igual a la cantidad de leave
.