how to execute completion block from another method in objective-c?

1.6k Views Asked by At

Is it impossible to get completion block success then data received from another method?

@property myCompletion;

// I have first call listeners, i can't add this in to "createOrderWithsuccess"

-(void)listeners {
    [[SocketIOManager sharedInstance].socket on:@"someAction" callback:^(NSArray* data, SocketAckEmitter* ack) {
        // data received
        myCompletion(data);

    }];

}

// this will be called <del>first</del> later
- (void)createOrderWithsuccess:^(NSArray *data) {
    // but it has to wait then data will be received  
    myCompletion = success;
 }
2

There are 2 best solutions below

4
On BEST ANSWER

It's a bit hard to understand what you are looking for, but this might be it. This is how I handle Completion callbacks in my app:

@import Foundation;

typedef void (^CompletionBlock)(NSArray *data);

@interface TheClass()

@property (nonatomic, copy) CompletionBlock *myCompletion;

@end

@implementation TheClass()

// ....


- (void) createOrderWithsuccess:(CompletionBlock)success {
    _myCompletion = success;
}

-(void)listeners {
    [[SocketIOManager sharedInstance].socket on:@"someAction" callback:^(NSArray* data, SocketAckEmitter* ack) {
        // data received
        _myCompletion(data);

    }];
}

// Alternatively, breaking possible retain cycles
-(void)listeners {
    __weak TheClass *weakSelf = self;
    [[SocketIOManager sharedInstance].socket on:@"someAction" callback:^(NSArray* data, SocketAckEmitter* ack) {
        // data received
        if(weakSelf.myCompletion) weakSelf.myCompletion(data);
    }];
}

The typedef should be in the .h file so that both this class and the one calling createOrderWithsuccess: knows about it.

2
On

If I understand your intent correctly, the idea is fine. Callers can use the createOrderWithsuccess: method as a setter for a completion block. Subsequently, callers call listeners with the understanding that the block they set earlier will be invoked upon success.

It's fine, but consider a few things: (1) Copy the block...

@property (nonatomic, copy) void (^myCompletion)(NSArray *);

(1.5) The block would be better named "successHandler" or something like that, and the property could be made public, so you could delete the createOrderWithsuccess: setter.

(2) Since you're not sure if the caller has set the block, check for nil before invoking (it's a crash otherwise)

if (self.myCompletion) self.myCompletion(data);

(3) nil the block after you're through with it. If the block references this object, nil-ing it will break the retain cycle.

if (self.myCompletion) self.myCompletion(data);
self.myCompletion = nil;