Im trying to understand completion handlers & blocks. I believe you can use blocks for many deep programming things without completion handlers, but I think i understan
Basically in this case it works like that:
Since it is dispath_async, current thread leaves the fetchUsersWithCompletionHandler: method.
...
time passes, till background queue has some free resources
...
And now, when the background queue is free, it consumes scheduled operation (Note: It performs synchronous request - so it waits for data):
NSURLResponse *response;
NSError *error = nil;
NSData *receivedData = [NSURLConnection sendSynchronousRequest:request
returningResponse:&response
error:&error];
...
Once data comes, then the usersArray is populated.
Code continues to this part:
if (handler){
dispatch_sync(dispatch_get_main_queue(), ^{
handler(usersArray);
});
}
Now, if we have handler specified, it schedules block for invocation on a main queue. It is dispatch_sync, so execution on current thread won't proceed till main thread will be done with the block. At this point, background thread patiently waits.
...
another moment passes
...
Now main queue has some free resources, so it consumes above block, and executes this code (passing previously populated usersArray to the 'handler'):
handler(usersArray);
Once it is done, it returns from the block and continues consuming whatever it is in the main queue.
Edit: As for the questions you asked:
It's not like main/background queue will be always busy, it's just it may be. (assuming background queue does not support concurrent operations like the main one). Imagine following code, that is being executed on a main thread:
dispatch_async(dispatch_get_main_queue(), ^{
//here task #1 that takes 10 seconds to run
NSLog(@"Task #1 finished");
});
NSLog(@"Task #1 scheduled");
dispatch_async(dispatch_get_main_queue(), ^{
//here task #2 that takes 5s to run
NSLog(@"Task #2 finished");
});
NSLog(@"Task #2 scheduled");
Since both are dispatch_async
calls, you schedule these for execution one after another. But task #2 won't be processed by main queue immediately, since first it has to leave current execution loop, secondly, it has to first finish task #1.
So the log output will be like that:
Task #1 scheduled
Task #2 scheduled
Task #1 finished
Task #2 finished
2.You have:
typedef void (^Handler)(NSArray *users);
Which declares block typedefe'd as Handler
that has void
return type and that accepts NSArray *
as parameter.
Later, you have your function:
+(void)fetchUsersWithCompletionHandler:(Handler)handler
Which takes as a parameter block of type Handler
and allow access to it using local name handler
.
And step #8:
handler(usersArray);
Which just directly calls handler
block (like you were calling any C/C++ function) and passes usersArray
as a parameter to it.